diff --git a/apps/files/lib/Activity/Helper.php b/apps/files/lib/Activity/Helper.php index b9a5ae887ecd2..7bbaf44ab4cc8 100644 --- a/apps/files/lib/Activity/Helper.php +++ b/apps/files/lib/Activity/Helper.php @@ -4,6 +4,7 @@ * * @author Christoph Wurst * @author Joas Schilling + * @author Ferdinand Thiessen * * @license AGPL-3.0 * @@ -23,30 +24,30 @@ namespace OCA\Files\Activity; use OCP\Files\Folder; +use OCP\Files\IRootFolder; +use OCP\Files\Node; use OCP\ITagManager; class Helper { /** If a user has a lot of favorites the query might get too slow and long */ public const FAVORITE_LIMIT = 50; - /** @var ITagManager */ - protected $tagManager; - - /** - * @param ITagManager $tagManager - */ - public function __construct(ITagManager $tagManager) { - $this->tagManager = $tagManager; + public function __construct( + protected ITagManager $tagManager, + protected IRootFolder $rootFolder, + ) { } /** - * Returns an array with the favorites + * Return an array with nodes marked as favorites * - * @param string $user - * @return array + * @param string $user User ID + * @param bool $foldersOnly Only return folders (default false) + * @return Node[] + * @psalm-return ($foldersOnly is true ? Folder[] : Node[]) * @throws \RuntimeException when too many or no favorites where found */ - public function getFavoriteFilePaths($user) { + public function getFavoriteNodes(string $user, bool $foldersOnly = false): array { $tags = $this->tagManager->load('files', [], false, $user); $favorites = $tags->getFavorites(); @@ -57,26 +58,45 @@ public function getFavoriteFilePaths($user) { } // Can not DI because the user is not known on instantiation - $rootFolder = \OC::$server->getUserFolder($user); - $folders = $items = []; + $userFolder = $this->rootFolder->getUserFolder($user); + $favoriteNodes = []; foreach ($favorites as $favorite) { - $nodes = $rootFolder->getById($favorite); + $nodes = $userFolder->getById($favorite); if (!empty($nodes)) { - /** @var \OCP\Files\Node $node */ $node = array_shift($nodes); - $path = substr($node->getPath(), strlen($user . '/files/')); - - $items[] = $path; - if ($node instanceof Folder) { - $folders[] = $path; + if (!$foldersOnly || $node instanceof Folder) { + $favoriteNodes[] = $node; } } } - if (empty($items)) { + if (empty($favoriteNodes)) { throw new \RuntimeException('No favorites', 1); } + return $favoriteNodes; + } + + /** + * Returns an array with the favorites + * + * @param string $user + * @return array + * @throws \RuntimeException when too many or no favorites where found + */ + public function getFavoriteFilePaths(string $user): array { + $userFolder = $this->rootFolder->getUserFolder($user); + $nodes = $this->getFavoriteNodes($user); + $folders = $items = []; + foreach ($nodes as $node) { + $path = $userFolder->getRelativePath($node->getPath()); + + $items[] = $path; + if ($node instanceof Folder) { + $folders[] = $path; + } + } + return [ 'items' => $items, 'folders' => $folders, diff --git a/apps/files/lib/Controller/ViewController.php b/apps/files/lib/Controller/ViewController.php index 7931686c92e1f..5172194dd8ba1 100644 --- a/apps/files/lib/Controller/ViewController.php +++ b/apps/files/lib/Controller/ViewController.php @@ -226,9 +226,14 @@ public function index($dir = '', $view = '', $fileid = null, $fileNotFound = fal // Get all the user favorites to create a submenu try { - $favElements = $this->activityHelper->getFavoriteFilePaths($userId); + $userFolder = $this->rootFolder->getUserFolder($userId); + $favElements = $this->activityHelper->getFavoriteNodes($userId, true); + $favElements = array_map(fn (Folder $node) => [ + 'fileid' => $node->getId(), + 'path' => $userFolder->getRelativePath($node->getPath()), + ], $favElements); } catch (\RuntimeException $e) { - $favElements['folders'] = []; + $favElements = []; } // If the file doesn't exists in the folder and @@ -260,7 +265,7 @@ public function index($dir = '', $view = '', $fileid = null, $fileNotFound = fal $this->initialState->provideInitialState('storageStats', $storageInfo); $this->initialState->provideInitialState('config', $this->userConfig->getConfigs()); $this->initialState->provideInitialState('viewConfigs', $this->viewConfig->getConfigs()); - $this->initialState->provideInitialState('favoriteFolders', $favElements['folders'] ?? []); + $this->initialState->provideInitialState('favoriteFolders', $favElements); // File sorting user config $filesSortingConfig = json_decode($this->config->getUserValue($userId, 'files', 'files_sorting_configs', '{}'), true); diff --git a/apps/files/src/actions/openFolderAction.ts b/apps/files/src/actions/openFolderAction.ts index e6d8c7f7edf0c..791b328b3ed37 100644 --- a/apps/files/src/actions/openFolderAction.ts +++ b/apps/files/src/actions/openFolderAction.ts @@ -19,7 +19,6 @@ * along with this program. If not, see . * */ -import { join } from 'path' import { Permission, Node, FileType, View, FileAction, DefaultType } from '@nextcloud/files' import { translate as t } from '@nextcloud/l10n' import FolderSvg from '@mdi/svg/svg/folder.svg?raw' @@ -49,7 +48,7 @@ export const action = new FileAction({ && (node.permissions & Permission.READ) !== 0 }, - async exec(node: Node, view: View, dir: string) { + async exec(node: Node, view: View) { if (!node || node.type !== FileType.Folder) { return false } @@ -57,7 +56,7 @@ export const action = new FileAction({ window.OCP.Files.Router.goToRoute( null, { view: view.id, fileid: node.fileid }, - { dir: join(dir, node.basename) }, + { dir: node.path }, ) return null }, diff --git a/apps/files/src/main.ts b/apps/files/src/main.ts index 08fb3f562ab75..7b25c88a6976e 100644 --- a/apps/files/src/main.ts +++ b/apps/files/src/main.ts @@ -3,8 +3,6 @@ import { createPinia, PiniaVuePlugin } from 'pinia' import { getNavigation } from '@nextcloud/files' import { getRequestToken } from '@nextcloud/auth' -import FilesListView from './views/FilesList.vue' -import NavigationView from './views/Navigation.vue' import router from './router/router' import RouterService from './services/RouterService' import SettingsModel from './models/Setting.js' @@ -35,7 +33,8 @@ Vue.use(PiniaVuePlugin) const pinia = createPinia() // Init Navigation Service -const Navigation = getNavigation() +// This only works with Vue 2 - with Vue 3 this will not modify the source but return just a oberserver +const Navigation = Vue.observable(getNavigation()) Vue.prototype.$navigation = Navigation // Init Files App Settings Service diff --git a/apps/files/src/router/router.ts b/apps/files/src/router/router.ts index 5bb8f90770b01..4fec332cddffb 100644 --- a/apps/files/src/router/router.ts +++ b/apps/files/src/router/router.ts @@ -19,9 +19,11 @@ * along with this program. If not, see . * */ +import type { RawLocation, Route } from 'vue-router' + import { generateUrl } from '@nextcloud/router' import queryString from 'query-string' -import Router, { RawLocation, Route } from 'vue-router' +import Router from 'vue-router' import Vue from 'vue' import { ErrorHandler } from 'vue-router/types/router' @@ -46,10 +48,10 @@ const router = new Router({ { path: '/', // Pretending we're using the default view - redirect: { name: 'filelist' }, + redirect: { name: 'filelist', params: { view: 'files' } }, }, { - path: '/:view/:fileid?', + path: '/:view/:fileid(\\d+)?', name: 'filelist', props: true, }, diff --git a/apps/files/src/views/FilesList.vue b/apps/files/src/views/FilesList.vue index a3ef2c5f007fd..fabfccd6ca1a4 100644 --- a/apps/files/src/views/FilesList.vue +++ b/apps/files/src/views/FilesList.vue @@ -222,8 +222,7 @@ export default defineComponent({ }, currentView(): View { - return (this.$navigation.active - || this.$navigation.views.find(view => view.id === 'files')) as View + return this.$navigation.active || this.$navigation.views.find((view) => view.id === (this.$route.params?.view ?? 'files')) }, /** diff --git a/apps/files/src/views/Navigation.vue b/apps/files/src/views/Navigation.vue index 0895bd060abe9..38f7a980a9111 100644 --- a/apps/files/src/views/Navigation.vue +++ b/apps/files/src/views/Navigation.vue @@ -27,7 +27,7 @@ :key="view.id" :allow-collapse="true" :data-cy-files-navigation-item="view.id" - :exact="true" + :exact="useExactRouteMatching(view)" :icon="view.iconClass" :name="view.name" :open="isExpanded(view)" @@ -41,7 +41,7 @@ @@ -75,6 +75,8 @@ \n\n\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!./TemplatePreview.vue?vue&type=style&index=0&id=0859a92c&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!./TemplatePreview.vue?vue&type=style&index=0&id=0859a92c&prod&lang=scss&scoped=true\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./TemplatePreview.vue?vue&type=template&id=0859a92c&scoped=true\"\nimport script from \"./TemplatePreview.vue?vue&type=script&lang=js\"\nexport * from \"./TemplatePreview.vue?vue&type=script&lang=js\"\nimport style0 from \"./TemplatePreview.vue?vue&type=style&index=0&id=0859a92c&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 \"0859a92c\",\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('li',{staticClass:\"template-picker__item\"},[_c('input',{staticClass:\"radio\",attrs:{\"id\":_vm.id,\"type\":\"radio\",\"name\":\"template-picker\"},domProps:{\"checked\":_vm.checked},on:{\"change\":_vm.onCheck}}),_vm._v(\" \"),_c('label',{staticClass:\"template-picker__label\",attrs:{\"for\":_vm.id}},[_c('div',{staticClass:\"template-picker__preview\",class:_vm.failedPreview ? 'template-picker__preview--failed' : ''},[_c('img',{staticClass:\"template-picker__image\",attrs:{\"src\":_vm.realPreviewUrl,\"alt\":\"\",\"draggable\":\"false\"},on:{\"error\":_vm.onFailure}})]),_vm._v(\" \"),_c('span',{staticClass:\"template-picker__title\"},[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_vm.nameWithoutExt)+\"\\n\\t\\t\")])])])\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!./TemplatePicker.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!./TemplatePicker.vue?vue&type=script&lang=ts\"","/**\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 */\n\nimport { generateOcsUrl } from '@nextcloud/router'\nimport axios from '@nextcloud/axios'\n\nexport const getTemplates = async function() {\n\tconst response = await axios.get(generateOcsUrl('apps/files/api/v1/templates'))\n\treturn response.data.ocs.data\n}\n\n/**\n * Create a new file from a specified template\n *\n * @param {string} filePath The new file destination path\n * @param {string} templatePath The template source path\n * @param {string} templateType The template type e.g 'user'\n */\nexport const createFromTemplate = async function(filePath, templatePath, templateType) {\n\tconst response = await axios.post(generateOcsUrl('apps/files/api/v1/templates/create'), {\n\t\tfilePath,\n\t\ttemplatePath,\n\t\ttemplateType,\n\t})\n\treturn response.data.ocs.data\n}\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!./TemplatePicker.vue?vue&type=style&index=0&id=48121b39&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!./TemplatePicker.vue?vue&type=style&index=0&id=48121b39&prod&lang=scss&scoped=true\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./TemplatePicker.vue?vue&type=template&id=48121b39&scoped=true\"\nimport script from \"./TemplatePicker.vue?vue&type=script&lang=ts\"\nexport * from \"./TemplatePicker.vue?vue&type=script&lang=ts\"\nimport style0 from \"./TemplatePicker.vue?vue&type=style&index=0&id=48121b39&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 \"48121b39\",\n null\n \n)\n\nexport default component.exports","import { Folder, Node, Permission, addNewFileMenuEntry, removeNewFileMenuEntry } from '@nextcloud/files';\nimport { generateOcsUrl } from '@nextcloud/router';\nimport { getLoggerBuilder } from '@nextcloud/logger';\nimport { join } from 'path';\nimport { loadState } from '@nextcloud/initial-state';\nimport { showError } from '@nextcloud/dialogs';\nimport { translate as t, translatePlural as n } from '@nextcloud/l10n';\nimport axios from '@nextcloud/axios';\nimport Vue from 'vue';\nimport PlusSvg from '@mdi/svg/svg/plus.svg?raw';\nimport TemplatePickerView from './views/TemplatePicker.vue';\nimport { getUniqueName } from './utils/fileUtils.ts';\nimport { getCurrentUser } from '@nextcloud/auth';\n// Set up logger\nconst logger = getLoggerBuilder()\n .setApp('files')\n .detectUser()\n .build();\n// Add translates functions\nVue.mixin({\n methods: {\n t,\n n,\n },\n});\n// Create document root\nconst TemplatePickerRoot = document.createElement('div');\nTemplatePickerRoot.id = 'template-picker';\ndocument.body.appendChild(TemplatePickerRoot);\n// Retrieve and init templates\nlet templates = loadState('files', 'templates', []);\nlet templatesPath = loadState('files', 'templates_path', false);\nlogger.debug('Templates providers', { templates });\nlogger.debug('Templates folder', { templatesPath });\n// Init vue app\nconst View = Vue.extend(TemplatePickerView);\nconst TemplatePicker = new View({\n name: 'TemplatePicker',\n propsData: {\n logger,\n },\n});\nTemplatePicker.$mount('#template-picker');\nif (!templatesPath) {\n logger.debug('Templates folder not initialized');\n addNewFileMenuEntry({\n id: 'template-picker',\n displayName: t('files', 'Create new templates folder'),\n iconSvgInline: PlusSvg,\n order: 10,\n enabled(context) {\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 handler(context, content) {\n // Check for conflicts\n const contentNames = content.map((node) => node.basename);\n const name = getUniqueName(t('files', 'Templates'), contentNames);\n // Create the template folder\n initTemplatesFolder(context, name);\n // Remove the menu entry\n removeNewFileMenuEntry('template-picker');\n },\n });\n}\n// Init template files menu\ntemplates.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 handler(context, content) {\n // Check for conflicts\n const contentNames = content.map((node) => node.basename);\n const name = getUniqueName(provider.label + provider.extension, contentNames);\n // Create the file\n TemplatePicker.open(name, provider);\n },\n });\n});\n// Init template folder\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 response = 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 templates = response.data.ocs.data.templates;\n templatesPath = response.data.ocs.data.template_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};\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';\nimport registerFavoritesView from './views/favorites';\nimport registerRecentView from './views/recent';\nimport registerFilesView from './views/files';\nimport registerPreviewServiceWorker from './services/ServiceWorker.js';\nimport './init-templates';\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);\n// Register files views\nregisterFavoritesView();\nregisterFilesView();\nregisterRecentView();\n// Register preview service worker\nregisterPreviewServiceWorker();\nregisterDavProperty('nc:hidden', { 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 { translate as t } from '@nextcloud/l10n';\nimport HistorySvg from '@mdi/svg/svg/history.svg?raw';\nimport { getContents } from '../services/Recent';\nimport { View, getNavigation } from '@nextcloud/files';\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","module.exports = {\n \"100\": \"Continue\",\n \"101\": \"Switching Protocols\",\n \"102\": \"Processing\",\n \"200\": \"OK\",\n \"201\": \"Created\",\n \"202\": \"Accepted\",\n \"203\": \"Non-Authoritative Information\",\n \"204\": \"No Content\",\n \"205\": \"Reset Content\",\n \"206\": \"Partial Content\",\n \"207\": \"Multi-Status\",\n \"208\": \"Already Reported\",\n \"226\": \"IM Used\",\n \"300\": \"Multiple Choices\",\n \"301\": \"Moved Permanently\",\n \"302\": \"Found\",\n \"303\": \"See Other\",\n \"304\": \"Not Modified\",\n \"305\": \"Use Proxy\",\n \"307\": \"Temporary Redirect\",\n \"308\": \"Permanent Redirect\",\n \"400\": \"Bad Request\",\n \"401\": \"Unauthorized\",\n \"402\": \"Payment Required\",\n \"403\": \"Forbidden\",\n \"404\": \"Not Found\",\n \"405\": \"Method Not Allowed\",\n \"406\": \"Not Acceptable\",\n \"407\": \"Proxy Authentication Required\",\n \"408\": \"Request Timeout\",\n \"409\": \"Conflict\",\n \"410\": \"Gone\",\n \"411\": \"Length Required\",\n \"412\": \"Precondition Failed\",\n \"413\": \"Payload Too Large\",\n \"414\": \"URI Too Long\",\n \"415\": \"Unsupported Media Type\",\n \"416\": \"Range Not Satisfiable\",\n \"417\": \"Expectation Failed\",\n \"418\": \"I'm a teapot\",\n \"421\": \"Misdirected Request\",\n \"422\": \"Unprocessable Entity\",\n \"423\": \"Locked\",\n \"424\": \"Failed Dependency\",\n \"425\": \"Unordered Collection\",\n \"426\": \"Upgrade Required\",\n \"428\": \"Precondition Required\",\n \"429\": \"Too Many Requests\",\n \"431\": \"Request Header Fields Too Large\",\n \"451\": \"Unavailable For Legal Reasons\",\n \"500\": \"Internal Server Error\",\n \"501\": \"Not Implemented\",\n \"502\": \"Bad Gateway\",\n \"503\": \"Service Unavailable\",\n \"504\": \"Gateway Timeout\",\n \"505\": \"HTTP Version Not Supported\",\n \"506\": \"Variant Also Negotiates\",\n \"507\": \"Insufficient Storage\",\n \"508\": \"Loop Detected\",\n \"509\": \"Bandwidth Limit Exceeded\",\n \"510\": \"Not Extended\",\n \"511\": \"Network Authentication Required\"\n}\n","function _typeof(obj) { \"@babel/helpers - typeof\"; return _typeof = \"function\" == typeof Symbol && \"symbol\" == typeof Symbol.iterator ? function (obj) { return typeof obj; } : function (obj) { return obj && \"function\" == typeof Symbol && obj.constructor === Symbol && obj !== Symbol.prototype ? \"symbol\" : typeof obj; }, _typeof(obj); }\n\n(function (global, factory) {\n if (typeof define === \"function\" && define.amd) {\n define([\"exports\"], factory);\n } else if (typeof exports !== \"undefined\") {\n factory(exports);\n } else {\n var mod = {\n exports: {}\n };\n factory(mod.exports);\n global.CancelablePromise = mod.exports;\n }\n})(typeof globalThis !== \"undefined\" ? globalThis : typeof self !== \"undefined\" ? self : this, function (_exports) {\n \"use strict\";\n\n Object.defineProperty(_exports, \"__esModule\", {\n value: true\n });\n _exports.CancelablePromise = void 0;\n _exports.cancelable = cancelable;\n _exports.default = void 0;\n _exports.isCancelablePromise = isCancelablePromise;\n\n function _inherits(subClass, superClass) { if (typeof superClass !== \"function\" && superClass !== null) { throw new TypeError(\"Super expression must either be null or a function\"); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }); Object.defineProperty(subClass, \"prototype\", { writable: false }); if (superClass) _setPrototypeOf(subClass, superClass); }\n\n function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf ? Object.setPrototypeOf.bind() : function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); }\n\n function _createSuper(Derived) { var hasNativeReflectConstruct = _isNativeReflectConstruct(); return function _createSuperInternal() { var Super = _getPrototypeOf(Derived), result; if (hasNativeReflectConstruct) { var NewTarget = _getPrototypeOf(this).constructor; result = Reflect.construct(Super, arguments, NewTarget); } else { result = Super.apply(this, arguments); } return _possibleConstructorReturn(this, result); }; }\n\n function _possibleConstructorReturn(self, call) { if (call && (_typeof(call) === \"object\" || typeof call === \"function\")) { return call; } else if (call !== void 0) { throw new TypeError(\"Derived constructors may only return object or undefined\"); } return _assertThisInitialized(self); }\n\n function _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError(\"this hasn't been initialised - super() hasn't been called\"); } return self; }\n\n function _isNativeReflectConstruct() { if (typeof Reflect === \"undefined\" || !Reflect.construct) return false; if (Reflect.construct.sham) return false; if (typeof Proxy === \"function\") return true; try { Boolean.prototype.valueOf.call(Reflect.construct(Boolean, [], function () {})); return true; } catch (e) { return false; } }\n\n function _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf.bind() : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); }\n\n function _createForOfIteratorHelper(o, allowArrayLike) { var it = typeof Symbol !== \"undefined\" && o[Symbol.iterator] || o[\"@@iterator\"]; if (!it) { if (Array.isArray(o) || (it = _unsupportedIterableToArray(o)) || allowArrayLike && o && typeof o.length === \"number\") { if (it) o = it; var i = 0; var F = function F() {}; return { s: F, n: function n() { if (i >= o.length) return { done: true }; return { done: false, value: o[i++] }; }, e: function e(_e) { throw _e; }, f: F }; } throw new TypeError(\"Invalid attempt to iterate non-iterable instance.\\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.\"); } var normalCompletion = true, didErr = false, err; return { s: function s() { it = it.call(o); }, n: function n() { var step = it.next(); normalCompletion = step.done; return step; }, e: function e(_e2) { didErr = true; err = _e2; }, f: function f() { try { if (!normalCompletion && it.return != null) it.return(); } finally { if (didErr) throw err; } } }; }\n\n function _unsupportedIterableToArray(o, minLen) { if (!o) return; if (typeof o === \"string\") return _arrayLikeToArray(o, minLen); var n = Object.prototype.toString.call(o).slice(8, -1); if (n === \"Object\" && o.constructor) n = o.constructor.name; if (n === \"Map\" || n === \"Set\") return Array.from(o); if (n === \"Arguments\" || /^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)) return _arrayLikeToArray(o, minLen); }\n\n function _arrayLikeToArray(arr, len) { if (len == null || len > arr.length) len = arr.length; for (var i = 0, arr2 = new Array(len); i < len; i++) { arr2[i] = arr[i]; } return arr2; }\n\n function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\n function _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if (\"value\" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } }\n\n function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); Object.defineProperty(Constructor, \"prototype\", { writable: false }); return Constructor; }\n\n function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }\n\n function _classPrivateFieldInitSpec(obj, privateMap, value) { _checkPrivateRedeclaration(obj, privateMap); privateMap.set(obj, value); }\n\n function _checkPrivateRedeclaration(obj, privateCollection) { if (privateCollection.has(obj)) { throw new TypeError(\"Cannot initialize the same private elements twice on an object\"); } }\n\n function _classPrivateFieldGet(receiver, privateMap) { var descriptor = _classExtractFieldDescriptor(receiver, privateMap, \"get\"); return _classApplyDescriptorGet(receiver, descriptor); }\n\n function _classApplyDescriptorGet(receiver, descriptor) { if (descriptor.get) { return descriptor.get.call(receiver); } return descriptor.value; }\n\n function _classPrivateFieldSet(receiver, privateMap, value) { var descriptor = _classExtractFieldDescriptor(receiver, privateMap, \"set\"); _classApplyDescriptorSet(receiver, descriptor, value); return value; }\n\n function _classExtractFieldDescriptor(receiver, privateMap, action) { if (!privateMap.has(receiver)) { throw new TypeError(\"attempted to \" + action + \" private field on non-instance\"); } return privateMap.get(receiver); }\n\n function _classApplyDescriptorSet(receiver, descriptor, value) { if (descriptor.set) { descriptor.set.call(receiver, value); } else { if (!descriptor.writable) { throw new TypeError(\"attempted to set read only private field\"); } descriptor.value = value; } }\n\n var toStringTag = typeof Symbol !== 'undefined' ? Symbol.toStringTag : '@@toStringTag';\n\n var _internals = /*#__PURE__*/new WeakMap();\n\n var _promise = /*#__PURE__*/new WeakMap();\n\n var CancelablePromiseInternal = /*#__PURE__*/function () {\n function CancelablePromiseInternal(_ref) {\n var _ref$executor = _ref.executor,\n executor = _ref$executor === void 0 ? function () {} : _ref$executor,\n _ref$internals = _ref.internals,\n internals = _ref$internals === void 0 ? defaultInternals() : _ref$internals,\n _ref$promise = _ref.promise,\n promise = _ref$promise === void 0 ? new Promise(function (resolve, reject) {\n return executor(resolve, reject, function (onCancel) {\n internals.onCancelList.push(onCancel);\n });\n }) : _ref$promise;\n\n _classCallCheck(this, CancelablePromiseInternal);\n\n _classPrivateFieldInitSpec(this, _internals, {\n writable: true,\n value: void 0\n });\n\n _classPrivateFieldInitSpec(this, _promise, {\n writable: true,\n value: void 0\n });\n\n _defineProperty(this, toStringTag, 'CancelablePromise');\n\n this.cancel = this.cancel.bind(this);\n\n _classPrivateFieldSet(this, _internals, internals);\n\n _classPrivateFieldSet(this, _promise, promise || new Promise(function (resolve, reject) {\n return executor(resolve, reject, function (onCancel) {\n internals.onCancelList.push(onCancel);\n });\n }));\n }\n\n _createClass(CancelablePromiseInternal, [{\n key: \"then\",\n value: function then(onfulfilled, onrejected) {\n return makeCancelable(_classPrivateFieldGet(this, _promise).then(createCallback(onfulfilled, _classPrivateFieldGet(this, _internals)), createCallback(onrejected, _classPrivateFieldGet(this, _internals))), _classPrivateFieldGet(this, _internals));\n }\n }, {\n key: \"catch\",\n value: function _catch(onrejected) {\n return makeCancelable(_classPrivateFieldGet(this, _promise).catch(createCallback(onrejected, _classPrivateFieldGet(this, _internals))), _classPrivateFieldGet(this, _internals));\n }\n }, {\n key: \"finally\",\n value: function _finally(onfinally, runWhenCanceled) {\n var _this = this;\n\n if (runWhenCanceled) {\n _classPrivateFieldGet(this, _internals).onCancelList.push(onfinally);\n }\n\n return makeCancelable(_classPrivateFieldGet(this, _promise).finally(createCallback(function () {\n if (onfinally) {\n if (runWhenCanceled) {\n _classPrivateFieldGet(_this, _internals).onCancelList = _classPrivateFieldGet(_this, _internals).onCancelList.filter(function (callback) {\n return callback !== onfinally;\n });\n }\n\n return onfinally();\n }\n }, _classPrivateFieldGet(this, _internals))), _classPrivateFieldGet(this, _internals));\n }\n }, {\n key: \"cancel\",\n value: function cancel() {\n _classPrivateFieldGet(this, _internals).isCanceled = true;\n\n var callbacks = _classPrivateFieldGet(this, _internals).onCancelList;\n\n _classPrivateFieldGet(this, _internals).onCancelList = [];\n\n var _iterator = _createForOfIteratorHelper(callbacks),\n _step;\n\n try {\n for (_iterator.s(); !(_step = _iterator.n()).done;) {\n var callback = _step.value;\n\n if (typeof callback === 'function') {\n try {\n callback();\n } catch (err) {\n console.error(err);\n }\n }\n }\n } catch (err) {\n _iterator.e(err);\n } finally {\n _iterator.f();\n }\n }\n }, {\n key: \"isCanceled\",\n value: function isCanceled() {\n return _classPrivateFieldGet(this, _internals).isCanceled === true;\n }\n }]);\n\n return CancelablePromiseInternal;\n }();\n\n var CancelablePromise = /*#__PURE__*/function (_CancelablePromiseInt) {\n _inherits(CancelablePromise, _CancelablePromiseInt);\n\n var _super = _createSuper(CancelablePromise);\n\n function CancelablePromise(executor) {\n _classCallCheck(this, CancelablePromise);\n\n return _super.call(this, {\n executor: executor\n });\n }\n\n return _createClass(CancelablePromise);\n }(CancelablePromiseInternal);\n\n _exports.CancelablePromise = CancelablePromise;\n\n _defineProperty(CancelablePromise, \"all\", function all(iterable) {\n return makeAllCancelable(iterable, Promise.all(iterable));\n });\n\n _defineProperty(CancelablePromise, \"allSettled\", function allSettled(iterable) {\n return makeAllCancelable(iterable, Promise.allSettled(iterable));\n });\n\n _defineProperty(CancelablePromise, \"any\", function any(iterable) {\n return makeAllCancelable(iterable, Promise.any(iterable));\n });\n\n _defineProperty(CancelablePromise, \"race\", function race(iterable) {\n return makeAllCancelable(iterable, Promise.race(iterable));\n });\n\n _defineProperty(CancelablePromise, \"resolve\", function resolve(value) {\n return cancelable(Promise.resolve(value));\n });\n\n _defineProperty(CancelablePromise, \"reject\", function reject(reason) {\n return cancelable(Promise.reject(reason));\n });\n\n _defineProperty(CancelablePromise, \"isCancelable\", isCancelablePromise);\n\n var _default = CancelablePromise;\n _exports.default = _default;\n\n function cancelable(promise) {\n return makeCancelable(promise, defaultInternals());\n }\n\n function isCancelablePromise(promise) {\n return promise instanceof CancelablePromise || promise instanceof CancelablePromiseInternal;\n }\n\n function createCallback(onResult, internals) {\n if (onResult) {\n return function (arg) {\n if (!internals.isCanceled) {\n var result = onResult(arg);\n\n if (isCancelablePromise(result)) {\n internals.onCancelList.push(result.cancel);\n }\n\n return result;\n }\n\n return arg;\n };\n }\n }\n\n function makeCancelable(promise, internals) {\n return new CancelablePromiseInternal({\n internals: internals,\n promise: promise\n });\n }\n\n function makeAllCancelable(iterable, promise) {\n var internals = defaultInternals();\n internals.onCancelList.push(function () {\n var _iterator2 = _createForOfIteratorHelper(iterable),\n _step2;\n\n try {\n for (_iterator2.s(); !(_step2 = _iterator2.n()).done;) {\n var resolvable = _step2.value;\n\n if (isCancelablePromise(resolvable)) {\n resolvable.cancel();\n }\n }\n } catch (err) {\n _iterator2.e(err);\n } finally {\n _iterator2.f();\n }\n });\n return new CancelablePromiseInternal({\n internals: internals,\n promise: promise\n });\n }\n\n function defaultInternals() {\n return {\n isCanceled: false,\n onCancelList: []\n };\n }\n});\n//# sourceMappingURL=CancelablePromise.js.map","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../css-loader/dist/runtime/api.js\";\nimport ___CSS_LOADER_GET_URL_IMPORT___ from \"../../../css-loader/dist/runtime/getUrl.js\";\nvar ___CSS_LOADER_URL_IMPORT_0___ = new URL(\"data:image/svg+xml,%3csvg%20xmlns=%27http://www.w3.org/2000/svg%27%20height=%2716%27%20width=%2716%27%3e%3cpath%20d=%27M14%2012.3L12.3%2014%208%209.7%203.7%2014%202%2012.3%206.3%208%202%203.7%203.7%202%208%206.3%2012.3%202%2014%203.7%209.7%208z%27/%3e%3c/svg%3e\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_1___ = new URL(\"data:image/svg+xml,%3csvg%20xmlns=%27http://www.w3.org/2000/svg%27%20height=%2716%27%20width=%2716%27%3e%3cpath%20d=%27M14%2012.3L12.3%2014%208%209.7%203.7%2014%202%2012.3%206.3%208%202%203.7%203.7%202%208%206.3%2012.3%202%2014%203.7%209.7%208z%27%20style=%27fill-opacity:1;fill:%23ffffff%27/%3e%3c/svg%3e\", import.meta.url);\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\nvar ___CSS_LOADER_URL_REPLACEMENT_0___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_0___);\nvar ___CSS_LOADER_URL_REPLACEMENT_1___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_1___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `@charset \"UTF-8\";\n/**\n * @copyright Copyright (c) 2019 Julius Härtl \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._file-picker__file-icon_1vgv4_5 {\n width: 32px;\n height: 32px;\n min-width: 32px;\n min-height: 32px;\n background-repeat: no-repeat;\n background-size: contain;\n display: flex;\n justify-content: center;\n}\ntr.file-picker__row[data-v-6aded0d9] {\n height: var(--row-height, 50px);\n}\ntr.file-picker__row td[data-v-6aded0d9] {\n cursor: pointer;\n overflow: hidden;\n text-overflow: ellipsis;\n border-bottom: none;\n}\ntr.file-picker__row td.row-checkbox[data-v-6aded0d9] {\n padding: 0 2px;\n}\ntr.file-picker__row td[data-v-6aded0d9]:not(.row-checkbox) {\n padding-inline: 14px 0;\n}\ntr.file-picker__row td.row-size[data-v-6aded0d9] {\n text-align: end;\n padding-inline: 0 14px;\n}\ntr.file-picker__row td.row-name[data-v-6aded0d9] {\n padding-inline: 2px 0;\n}\n@keyframes gradient-6aded0d9 {\n 0% {\n background-position: 0% 50%;\n }\n 50% {\n background-position: 100% 50%;\n }\n to {\n background-position: 0% 50%;\n }\n}\n.loading-row .row-checkbox[data-v-6aded0d9] {\n text-align: center !important;\n}\n.loading-row span[data-v-6aded0d9] {\n display: inline-block;\n height: 24px;\n background: linear-gradient(to right, var(--color-background-darker), var(--color-text-maxcontrast), var(--color-background-darker));\n background-size: 600px 100%;\n border-radius: var(--border-radius);\n animation: gradient-6aded0d9 12s ease infinite;\n}\n.loading-row .row-wrapper[data-v-6aded0d9] {\n display: inline-flex;\n align-items: center;\n}\n.loading-row .row-checkbox span[data-v-6aded0d9] {\n width: 24px;\n}\n.loading-row .row-name span[data-v-6aded0d9]:last-of-type {\n margin-inline-start: 6px;\n width: 130px;\n}\n.loading-row .row-size span[data-v-6aded0d9] {\n width: 80px;\n}\n.loading-row .row-modified span[data-v-6aded0d9] {\n width: 90px;\n}\ntr.file-picker__row[data-v-48df4f27] {\n height: var(--row-height, 50px);\n}\ntr.file-picker__row td[data-v-48df4f27] {\n cursor: pointer;\n overflow: hidden;\n text-overflow: ellipsis;\n border-bottom: none;\n}\ntr.file-picker__row td.row-checkbox[data-v-48df4f27] {\n padding: 0 2px;\n}\ntr.file-picker__row td[data-v-48df4f27]:not(.row-checkbox) {\n padding-inline: 14px 0;\n}\ntr.file-picker__row td.row-size[data-v-48df4f27] {\n text-align: end;\n padding-inline: 0 14px;\n}\ntr.file-picker__row td.row-name[data-v-48df4f27] {\n padding-inline: 2px 0;\n}\n.file-picker__row--selected[data-v-48df4f27] {\n background-color: var(--color-background-dark);\n}\n.file-picker__row[data-v-48df4f27]:hover {\n background-color: var(--color-background-hover);\n}\n.file-picker__name-container[data-v-48df4f27] {\n display: flex;\n justify-content: start;\n align-items: center;\n height: 100%;\n}\n.file-picker__file-name[data-v-48df4f27] {\n padding-inline-start: 6px;\n min-width: 0;\n overflow: hidden;\n text-overflow: ellipsis;\n}\n.file-picker__file-extension[data-v-48df4f27] {\n color: var(--color-text-maxcontrast);\n min-width: fit-content;\n}\n.file-picker__header-preview[data-v-d3c94818] {\n width: 22px;\n height: 32px;\n flex: 0 0 auto;\n}\n.file-picker__files[data-v-d3c94818] {\n margin: 2px;\n margin-inline-start: 12px;\n overflow: scroll auto;\n}\n.file-picker__files table[data-v-d3c94818] {\n width: 100%;\n max-height: 100%;\n table-layout: fixed;\n}\n.file-picker__files th[data-v-d3c94818] {\n position: sticky;\n z-index: 1;\n top: 0;\n background-color: var(--color-main-background);\n padding: 2px;\n}\n.file-picker__files th .header-wrapper[data-v-d3c94818] {\n display: flex;\n}\n.file-picker__files th.row-checkbox[data-v-d3c94818] {\n width: 44px;\n}\n.file-picker__files th.row-name[data-v-d3c94818] {\n width: 230px;\n}\n.file-picker__files th.row-size[data-v-d3c94818] {\n width: 100px;\n}\n.file-picker__files th.row-modified[data-v-d3c94818] {\n width: 120px;\n}\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue__wrapper {\n justify-content: start;\n flex-direction: row-reverse;\n}\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue {\n padding-inline: 16px 4px;\n}\n.file-picker__files th.row-size[data-v-d3c94818] .button-vue__wrapper {\n justify-content: end;\n}\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper {\n color: var(--color-text-maxcontrast);\n}\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper .button-vue__text {\n font-weight: 400;\n}\n.file-picker__breadcrumbs[data-v-3bc9efa5] {\n flex-grow: 0 !important;\n}\n.file-picker__side[data-v-e96bec41] {\n display: flex;\n flex-direction: column;\n align-items: stretch;\n gap: .5rem;\n min-width: 200px;\n padding: 2px;\n overflow: auto;\n}\n.file-picker__side[data-v-e96bec41] .button-vue__wrapper {\n justify-content: start;\n}\n.file-picker__filter-input[data-v-e96bec41] {\n margin-block: 7px;\n max-width: 260px;\n}\n@media (max-width: 736px) {\n .file-picker__side[data-v-e96bec41] {\n flex-direction: row;\n min-width: unset;\n }\n}\n@media (max-width: 512px) {\n .file-picker__side[data-v-e96bec41] {\n flex-direction: row;\n min-width: unset;\n }\n .file-picker__filter-input[data-v-e96bec41] {\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-c6479356] {\n height: 50px;\n display: flex;\n justify-content: start;\n align-items: center;\n}\n.file-picker__view h3[data-v-c6479356] {\n font-weight: 700;\n height: fit-content;\n margin: 0;\n}\n.file-picker__main[data-v-c6479356] {\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-c6479356] {\n box-sizing: border-box;\n}\n[data-v-c6479356] .file-picker {\n height: min(80vh, 800px) !important;\n}\n@media (max-width: 512px) {\n [data-v-c6479356] .file-picker {\n height: calc(100% - 16px - var(--default-clickable-area)) !important;\n }\n}\n[data-v-c6479356] .file-picker__content {\n display: flex;\n flex-direction: column;\n overflow: hidden;\n}\n`, \"\",{\"version\":3,\"sources\":[\"webpack://./node_modules/@nextcloud/dialogs/dist/style.css\"],\"names\":[],\"mappings\":\"AAAA,gBAAgB;AAChB;;;;;;;;;;;;;;;;;;;;EAoBE;AACF;EACE,gBAAgB;EAChB,gBAAgB;EAChB,8CAA8C;EAC9C,6BAA6B;EAC7B,6CAA6C;EAC7C,eAAe;EACf,gBAAgB;EAChB,eAAe;EACf,cAAc;EACd,mCAAmC;EACnC,aAAa;EACb,mBAAmB;AACrB;AACA;EACE,aAAa;EACb,mBAAmB;AACrB;AACA;;EAEE,gBAAgB;EAChB,gBAAgB;EAChB,sBAAsB;EACtB,eAAe;EACf,YAAY;EACZ,aAAa;EACb,mBAAmB;EACnB,4BAA4B;EAC5B,2BAA2B;EAC3B,6BAA6B;EAC7B,aAAa;AACf;AACA;;EAEE,cAAc;EACd,WAAW;EACX,YAAY;EACZ,gBAAgB;EAChB,iBAAiB;EACjB,YAAY;AACd;AACA;;EAEE,yDAA8Q;EAC9Q,YAAY;EACZ,wCAAwC;EACxC,qBAAqB;EACrB,WAAW;EACX,YAAY;AACd;AACA;;EAEE,wBAAwB;EACxB,wBAAwB;AAC1B;AACA;;;;;;EAME,eAAe;EACf,UAAU;AACZ;AACA;EACE,WAAW;AACb;AACA;EACE,eAAe;AACjB;AACA;EACE,yCAAyC;AAC3C;AACA;EACE,2CAA2C;AAC7C;AACA;EACE,2CAA2C;AAC7C;AACA;;EAEE,2CAA2C;AAC7C;AACA;EACE,yDAAsT;AACxT;AACA;EACE,WAAW;EACX,YAAY;EACZ,eAAe;EACf,gBAAgB;EAChB,4BAA4B;EAC5B,wBAAwB;EACxB,aAAa;EACb,uBAAuB;AACzB;AACA;EACE,+BAA+B;AACjC;AACA;EACE,eAAe;EACf,gBAAgB;EAChB,uBAAuB;EACvB,mBAAmB;AACrB;AACA;EACE,cAAc;AAChB;AACA;EACE,sBAAsB;AACxB;AACA;EACE,eAAe;EACf,sBAAsB;AACxB;AACA;EACE,qBAAqB;AACvB;AACA;EACE;IACE,2BAA2B;EAC7B;EACA;IACE,6BAA6B;EAC/B;EACA;IACE,2BAA2B;EAC7B;AACF;AACA;EACE,6BAA6B;AAC/B;AACA;EACE,qBAAqB;EACrB,YAAY;EACZ,oIAAoI;EACpI,2BAA2B;EAC3B,mCAAmC;EACnC,8CAA8C;AAChD;AACA;EACE,oBAAoB;EACpB,mBAAmB;AACrB;AACA;EACE,WAAW;AACb;AACA;EACE,wBAAwB;EACxB,YAAY;AACd;AACA;EACE,WAAW;AACb;AACA;EACE,WAAW;AACb;AACA;EACE,+BAA+B;AACjC;AACA;EACE,eAAe;EACf,gBAAgB;EAChB,uBAAuB;EACvB,mBAAmB;AACrB;AACA;EACE,cAAc;AAChB;AACA;EACE,sBAAsB;AACxB;AACA;EACE,eAAe;EACf,sBAAsB;AACxB;AACA;EACE,qBAAqB;AACvB;AACA;EACE,8CAA8C;AAChD;AACA;EACE,+CAA+C;AACjD;AACA;EACE,aAAa;EACb,sBAAsB;EACtB,mBAAmB;EACnB,YAAY;AACd;AACA;EACE,yBAAyB;EACzB,YAAY;EACZ,gBAAgB;EAChB,uBAAuB;AACzB;AACA;EACE,oCAAoC;EACpC,sBAAsB;AACxB;AACA;EACE,WAAW;EACX,YAAY;EACZ,cAAc;AAChB;AACA;EACE,WAAW;EACX,yBAAyB;EACzB,qBAAqB;AACvB;AACA;EACE,WAAW;EACX,gBAAgB;EAChB,mBAAmB;AACrB;AACA;EACE,gBAAgB;EAChB,UAAU;EACV,MAAM;EACN,8CAA8C;EAC9C,YAAY;AACd;AACA;EACE,aAAa;AACf;AACA;EACE,WAAW;AACb;AACA;EACE,YAAY;AACd;AACA;EACE,YAAY;AACd;AACA;EACE,YAAY;AACd;AACA;EACE,sBAAsB;EACtB,2BAA2B;AAC7B;AACA;EACE,wBAAwB;AAC1B;AACA;EACE,oBAAoB;AACtB;AACA;EACE,oCAAoC;AACtC;AACA;EACE,gBAAgB;AAClB;AACA;EACE,uBAAuB;AACzB;AACA;EACE,aAAa;EACb,sBAAsB;EACtB,oBAAoB;EACpB,UAAU;EACV,gBAAgB;EAChB,YAAY;EACZ,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._file-picker__file-icon_1vgv4_5 {\\n width: 32px;\\n height: 32px;\\n min-width: 32px;\\n min-height: 32px;\\n background-repeat: no-repeat;\\n background-size: contain;\\n display: flex;\\n justify-content: center;\\n}\\ntr.file-picker__row[data-v-6aded0d9] {\\n height: var(--row-height, 50px);\\n}\\ntr.file-picker__row td[data-v-6aded0d9] {\\n cursor: pointer;\\n overflow: hidden;\\n text-overflow: ellipsis;\\n border-bottom: none;\\n}\\ntr.file-picker__row td.row-checkbox[data-v-6aded0d9] {\\n padding: 0 2px;\\n}\\ntr.file-picker__row td[data-v-6aded0d9]:not(.row-checkbox) {\\n padding-inline: 14px 0;\\n}\\ntr.file-picker__row td.row-size[data-v-6aded0d9] {\\n text-align: end;\\n padding-inline: 0 14px;\\n}\\ntr.file-picker__row td.row-name[data-v-6aded0d9] {\\n padding-inline: 2px 0;\\n}\\n@keyframes gradient-6aded0d9 {\\n 0% {\\n background-position: 0% 50%;\\n }\\n 50% {\\n background-position: 100% 50%;\\n }\\n to {\\n background-position: 0% 50%;\\n }\\n}\\n.loading-row .row-checkbox[data-v-6aded0d9] {\\n text-align: center !important;\\n}\\n.loading-row span[data-v-6aded0d9] {\\n display: inline-block;\\n height: 24px;\\n background: linear-gradient(to right, var(--color-background-darker), var(--color-text-maxcontrast), var(--color-background-darker));\\n background-size: 600px 100%;\\n border-radius: var(--border-radius);\\n animation: gradient-6aded0d9 12s ease infinite;\\n}\\n.loading-row .row-wrapper[data-v-6aded0d9] {\\n display: inline-flex;\\n align-items: center;\\n}\\n.loading-row .row-checkbox span[data-v-6aded0d9] {\\n width: 24px;\\n}\\n.loading-row .row-name span[data-v-6aded0d9]:last-of-type {\\n margin-inline-start: 6px;\\n width: 130px;\\n}\\n.loading-row .row-size span[data-v-6aded0d9] {\\n width: 80px;\\n}\\n.loading-row .row-modified span[data-v-6aded0d9] {\\n width: 90px;\\n}\\ntr.file-picker__row[data-v-48df4f27] {\\n height: var(--row-height, 50px);\\n}\\ntr.file-picker__row td[data-v-48df4f27] {\\n cursor: pointer;\\n overflow: hidden;\\n text-overflow: ellipsis;\\n border-bottom: none;\\n}\\ntr.file-picker__row td.row-checkbox[data-v-48df4f27] {\\n padding: 0 2px;\\n}\\ntr.file-picker__row td[data-v-48df4f27]:not(.row-checkbox) {\\n padding-inline: 14px 0;\\n}\\ntr.file-picker__row td.row-size[data-v-48df4f27] {\\n text-align: end;\\n padding-inline: 0 14px;\\n}\\ntr.file-picker__row td.row-name[data-v-48df4f27] {\\n padding-inline: 2px 0;\\n}\\n.file-picker__row--selected[data-v-48df4f27] {\\n background-color: var(--color-background-dark);\\n}\\n.file-picker__row[data-v-48df4f27]:hover {\\n background-color: var(--color-background-hover);\\n}\\n.file-picker__name-container[data-v-48df4f27] {\\n display: flex;\\n justify-content: start;\\n align-items: center;\\n height: 100%;\\n}\\n.file-picker__file-name[data-v-48df4f27] {\\n padding-inline-start: 6px;\\n min-width: 0;\\n overflow: hidden;\\n text-overflow: ellipsis;\\n}\\n.file-picker__file-extension[data-v-48df4f27] {\\n color: var(--color-text-maxcontrast);\\n min-width: fit-content;\\n}\\n.file-picker__header-preview[data-v-d3c94818] {\\n width: 22px;\\n height: 32px;\\n flex: 0 0 auto;\\n}\\n.file-picker__files[data-v-d3c94818] {\\n margin: 2px;\\n margin-inline-start: 12px;\\n overflow: scroll auto;\\n}\\n.file-picker__files table[data-v-d3c94818] {\\n width: 100%;\\n max-height: 100%;\\n table-layout: fixed;\\n}\\n.file-picker__files th[data-v-d3c94818] {\\n position: sticky;\\n z-index: 1;\\n top: 0;\\n background-color: var(--color-main-background);\\n padding: 2px;\\n}\\n.file-picker__files th .header-wrapper[data-v-d3c94818] {\\n display: flex;\\n}\\n.file-picker__files th.row-checkbox[data-v-d3c94818] {\\n width: 44px;\\n}\\n.file-picker__files th.row-name[data-v-d3c94818] {\\n width: 230px;\\n}\\n.file-picker__files th.row-size[data-v-d3c94818] {\\n width: 100px;\\n}\\n.file-picker__files th.row-modified[data-v-d3c94818] {\\n width: 120px;\\n}\\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue__wrapper {\\n justify-content: start;\\n flex-direction: row-reverse;\\n}\\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue {\\n padding-inline: 16px 4px;\\n}\\n.file-picker__files th.row-size[data-v-d3c94818] .button-vue__wrapper {\\n justify-content: end;\\n}\\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper {\\n color: var(--color-text-maxcontrast);\\n}\\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper .button-vue__text {\\n font-weight: 400;\\n}\\n.file-picker__breadcrumbs[data-v-3bc9efa5] {\\n flex-grow: 0 !important;\\n}\\n.file-picker__side[data-v-e96bec41] {\\n display: flex;\\n flex-direction: column;\\n align-items: stretch;\\n gap: .5rem;\\n min-width: 200px;\\n padding: 2px;\\n overflow: auto;\\n}\\n.file-picker__side[data-v-e96bec41] .button-vue__wrapper {\\n justify-content: start;\\n}\\n.file-picker__filter-input[data-v-e96bec41] {\\n margin-block: 7px;\\n max-width: 260px;\\n}\\n@media (max-width: 736px) {\\n .file-picker__side[data-v-e96bec41] {\\n flex-direction: row;\\n min-width: unset;\\n }\\n}\\n@media (max-width: 512px) {\\n .file-picker__side[data-v-e96bec41] {\\n flex-direction: row;\\n min-width: unset;\\n }\\n .file-picker__filter-input[data-v-e96bec41] {\\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-c6479356] {\\n height: 50px;\\n display: flex;\\n justify-content: start;\\n align-items: center;\\n}\\n.file-picker__view h3[data-v-c6479356] {\\n font-weight: 700;\\n height: fit-content;\\n margin: 0;\\n}\\n.file-picker__main[data-v-c6479356] {\\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-c6479356] {\\n box-sizing: border-box;\\n}\\n[data-v-c6479356] .file-picker {\\n height: min(80vh, 800px) !important;\\n}\\n@media (max-width: 512px) {\\n [data-v-c6479356] .file-picker {\\n height: calc(100% - 16px - var(--default-clickable-area)) !important;\\n }\\n}\\n[data-v-c6479356] .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 \"../../../../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, `.template-picker__item[data-v-0859a92c]{display:flex}.template-picker__label[data-v-0859a92c]{display:flex;align-items:center;flex:1 1;flex-direction:column}.template-picker__label[data-v-0859a92c],.template-picker__label *[data-v-0859a92c]{cursor:pointer;user-select:none}.template-picker__label[data-v-0859a92c]::before{display:none !important}.template-picker__preview[data-v-0859a92c]{display:block;overflow:hidden;flex:1 1;width:var(--width);min-height:var(--height);max-height:var(--height);padding:0;border:var(--border) solid var(--color-border);border-radius:var(--border-radius-large)}input:checked+label>.template-picker__preview[data-v-0859a92c]{border-color:var(--color-primary-element)}.template-picker__preview--failed[data-v-0859a92c]{display:flex}.template-picker__image[data-v-0859a92c]{max-width:100%;background-color:var(--color-main-background);object-fit:cover}.template-picker__preview--failed .template-picker__image[data-v-0859a92c]{width:calc(var(--margin)*8);margin:auto;background-color:rgba(0,0,0,0) !important;object-fit:initial}.template-picker__title[data-v-0859a92c]{overflow:hidden;max-width:calc(var(--width) + 4px);padding:var(--margin);white-space:nowrap;text-overflow:ellipsis}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/components/TemplatePreview.vue\"],\"names\":[],\"mappings\":\"AAGC,wCACC,YAAA,CAGD,yCACC,YAAA,CAEA,kBAAA,CACA,QAAA,CACA,qBAAA,CAEA,oFACC,cAAA,CACA,gBAAA,CAGD,iDACC,uBAAA,CAIF,2CACC,aAAA,CACA,eAAA,CAEA,QAAA,CACA,kBAAA,CACA,wBAAA,CACA,wBAAA,CACA,SAAA,CACA,8CAAA,CACA,wCAAA,CAEA,+DACC,yCAAA,CAGD,mDAEC,YAAA,CAIF,yCACC,cAAA,CACA,6CAAA,CAEA,gBAAA,CAID,2EACC,2BAAA,CAEA,WAAA,CACA,yCAAA,CAEA,kBAAA,CAGD,yCACC,eAAA,CAEA,kCAAA,CACA,qBAAA,CACA,kBAAA,CACA,sBAAA\",\"sourcesContent\":[\"\\n\\n.template-picker {\\n\\t&__item {\\n\\t\\tdisplay: flex;\\n\\t}\\n\\n\\t&__label {\\n\\t\\tdisplay: flex;\\n\\t\\t// Align in the middle of the grid\\n\\t\\talign-items: center;\\n\\t\\tflex: 1 1;\\n\\t\\tflex-direction: column;\\n\\n\\t\\t&, * {\\n\\t\\t\\tcursor: pointer;\\n\\t\\t\\tuser-select: none;\\n\\t\\t}\\n\\n\\t\\t&::before {\\n\\t\\t\\tdisplay: none !important;\\n\\t\\t}\\n\\t}\\n\\n\\t&__preview {\\n\\t\\tdisplay: block;\\n\\t\\toverflow: hidden;\\n\\t\\t// Stretch so all entries are the same width\\n\\t\\tflex: 1 1;\\n\\t\\twidth: var(--width);\\n\\t\\tmin-height: var(--height);\\n\\t\\tmax-height: var(--height);\\n\\t\\tpadding: 0;\\n\\t\\tborder: var(--border) solid var(--color-border);\\n\\t\\tborder-radius: var(--border-radius-large);\\n\\n\\t\\tinput:checked + label > & {\\n\\t\\t\\tborder-color: var(--color-primary-element);\\n\\t\\t}\\n\\n\\t\\t&--failed {\\n\\t\\t\\t// Make sure to properly center fallback icon\\n\\t\\t\\tdisplay: flex;\\n\\t\\t}\\n\\t}\\n\\n\\t&__image {\\n\\t\\tmax-width: 100%;\\n\\t\\tbackground-color: var(--color-main-background);\\n\\n\\t\\tobject-fit: cover;\\n\\t}\\n\\n\\t// Failed preview, fallback to mime icon\\n\\t&__preview--failed &__image {\\n\\t\\twidth: calc(var(--margin) * 8);\\n\\t\\t// Center mime icon\\n\\t\\tmargin: auto;\\n\\t\\tbackground-color: transparent !important;\\n\\n\\t\\tobject-fit: initial;\\n\\t}\\n\\n\\t&__title {\\n\\t\\toverflow: hidden;\\n\\t\\t// also count preview border\\n\\t\\tmax-width: calc(var(--width) + 2*2px);\\n\\t\\tpadding: var(--margin);\\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, `.templates-picker__form[data-v-48121b39]{padding:calc(var(--margin)*2);padding-bottom:0}.templates-picker__form h2[data-v-48121b39]{text-align:center;font-weight:bold;margin:var(--margin) 0 calc(var(--margin)*2)}.templates-picker__list[data-v-48121b39]{display:grid;grid-gap:calc(var(--margin)*2);grid-auto-columns:1fr;max-width:calc(var(--fullwidth)*6);grid-template-columns:repeat(auto-fit, var(--fullwidth));grid-auto-rows:1fr;justify-content:center}.templates-picker__buttons[data-v-48121b39]{display:flex;justify-content:end;padding:calc(var(--margin)*2) var(--margin);position:sticky;bottom:0;background-image:linear-gradient(0, var(--gradient-main-background))}.templates-picker__buttons button[data-v-48121b39],.templates-picker__buttons input[type=submit][data-v-48121b39]{height:44px}.templates-picker[data-v-48121b39] .modal-container{position:relative}.templates-picker__loading[data-v-48121b39]{position:absolute;top:0;left:0;justify-content:center;width:100%;height:100%;margin:0;background-color:var(--color-main-background-translucent)}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/views/TemplatePicker.vue\"],\"names\":[],\"mappings\":\"AAEC,yCACC,6BAAA,CAEA,gBAAA,CAEA,4CACC,iBAAA,CACA,gBAAA,CACA,4CAAA,CAIF,yCACC,YAAA,CACA,8BAAA,CACA,qBAAA,CAEA,kCAAA,CACA,wDAAA,CAEA,kBAAA,CAEA,sBAAA,CAGD,4CACC,YAAA,CACA,mBAAA,CACA,2CAAA,CACA,eAAA,CACA,QAAA,CACA,oEAAA,CAEA,kHACC,WAAA,CAKF,oDACC,iBAAA,CAGD,4CACC,iBAAA,CACA,KAAA,CACA,MAAA,CACA,sBAAA,CACA,UAAA,CACA,WAAA,CACA,QAAA,CACA,yDAAA\",\"sourcesContent\":[\"\\n.templates-picker {\\n\\t&__form {\\n\\t\\tpadding: calc(var(--margin) * 2);\\n\\t\\t// Will be handled by the buttons\\n\\t\\tpadding-bottom: 0;\\n\\n\\t\\th2 {\\n\\t\\t\\ttext-align: center;\\n\\t\\t\\tfont-weight: bold;\\n\\t\\t\\tmargin: var(--margin) 0 calc(var(--margin) * 2);\\n\\t\\t}\\n\\t}\\n\\n\\t&__list {\\n\\t\\tdisplay: grid;\\n\\t\\tgrid-gap: calc(var(--margin) * 2);\\n\\t\\tgrid-auto-columns: 1fr;\\n\\t\\t// We want maximum 5 columns. Putting 6 as we don't count the grid gap. So it will always be lower than 6\\n\\t\\tmax-width: calc(var(--fullwidth) * 6);\\n\\t\\tgrid-template-columns: repeat(auto-fit, var(--fullwidth));\\n\\t\\t// Make sure all rows are the same height\\n\\t\\tgrid-auto-rows: 1fr;\\n\\t\\t// Center the columns set\\n\\t\\tjustify-content: center;\\n\\t}\\n\\n\\t&__buttons {\\n\\t\\tdisplay: flex;\\n\\t\\tjustify-content: end;\\n\\t\\tpadding: calc(var(--margin) * 2) var(--margin);\\n\\t\\tposition: sticky;\\n\\t\\tbottom: 0;\\n\\t\\tbackground-image: linear-gradient(0, var(--gradient-main-background));\\n\\n\\t\\tbutton, input[type='submit'] {\\n\\t\\t\\theight: 44px;\\n\\t\\t}\\n\\t}\\n\\n\\t// Make sure we're relative for the loading emptycontent on top\\n\\t::v-deep .modal-container {\\n\\t\\tposition: relative;\\n\\t}\\n\\n\\t&__loading {\\n\\t\\tposition: absolute;\\n\\t\\ttop: 0;\\n\\t\\tleft: 0;\\n\\t\\tjustify-content: center;\\n\\t\\twidth: 100%;\\n\\t\\theight: 100%;\\n\\t\\tmargin: 0;\\n\\t\\tbackground-color: var(--color-main-background-translucent);\\n\\t}\\n}\\n\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","var http = require('http')\nvar url = require('url')\n\nvar https = module.exports\n\nfor (var key in http) {\n if (http.hasOwnProperty(key)) https[key] = http[key]\n}\n\nhttps.request = function (params, cb) {\n params = validateParams(params)\n return http.request.call(this, params, cb)\n}\n\nhttps.get = function (params, cb) {\n params = validateParams(params)\n return http.get.call(this, params, cb)\n}\n\nfunction validateParams (params) {\n if (typeof params === 'string') {\n params = url.parse(params)\n }\n if (!params.protocol) {\n params.protocol = 'https:'\n }\n if (params.protocol !== 'https:') {\n throw new Error('Protocol \"' + params.protocol + '\" not supported. Expected \"https:\"')\n }\n return params\n}\n","exports = module.exports = require('./lib/_stream_readable.js');\nexports.Stream = exports;\nexports.Readable = exports;\nexports.Writable = require('./lib/_stream_writable.js');\nexports.Duplex = require('./lib/_stream_duplex.js');\nexports.Transform = require('./lib/_stream_transform.js');\nexports.PassThrough = require('./lib/_stream_passthrough.js');\nexports.finished = require('./lib/internal/streams/end-of-stream.js');\nexports.pipeline = require('./lib/internal/streams/pipeline.js');\n","var ClientRequest = require('./lib/request')\nvar response = require('./lib/response')\nvar extend = require('xtend')\nvar statusCodes = require('builtin-status-codes')\nvar url = require('url')\n\nvar http = exports\n\nhttp.request = function (opts, cb) {\n\tif (typeof opts === 'string')\n\t\topts = url.parse(opts)\n\telse\n\t\topts = extend(opts)\n\n\t// Normally, the page is loaded from http or https, so not specifying a protocol\n\t// will result in a (valid) protocol-relative url. However, this won't work if\n\t// the protocol is something else, like 'file:'\n\tvar defaultProtocol = global.location.protocol.search(/^https?:$/) === -1 ? 'http:' : ''\n\n\tvar protocol = opts.protocol || defaultProtocol\n\tvar host = opts.hostname || opts.host\n\tvar port = opts.port\n\tvar path = opts.path || '/'\n\n\t// Necessary for IPv6 addresses\n\tif (host && host.indexOf(':') !== -1)\n\t\thost = '[' + host + ']'\n\n\t// This may be a relative url. The browser should always be able to interpret it correctly.\n\topts.url = (host ? (protocol + '//' + host) : '') + (port ? ':' + port : '') + path\n\topts.method = (opts.method || 'GET').toUpperCase()\n\topts.headers = opts.headers || {}\n\n\t// Also valid opts.auth, opts.mode\n\n\tvar req = new ClientRequest(opts)\n\tif (cb)\n\t\treq.on('response', cb)\n\treturn req\n}\n\nhttp.get = function get (opts, cb) {\n\tvar req = http.request(opts, cb)\n\treq.end()\n\treturn req\n}\n\nhttp.ClientRequest = ClientRequest\nhttp.IncomingMessage = response.IncomingMessage\n\nhttp.Agent = function () {}\nhttp.Agent.defaultMaxSockets = 4\n\nhttp.globalAgent = new http.Agent()\n\nhttp.STATUS_CODES = statusCodes\n\nhttp.METHODS = [\n\t'CHECKOUT',\n\t'CONNECT',\n\t'COPY',\n\t'DELETE',\n\t'GET',\n\t'HEAD',\n\t'LOCK',\n\t'M-SEARCH',\n\t'MERGE',\n\t'MKACTIVITY',\n\t'MKCOL',\n\t'MOVE',\n\t'NOTIFY',\n\t'OPTIONS',\n\t'PATCH',\n\t'POST',\n\t'PROPFIND',\n\t'PROPPATCH',\n\t'PURGE',\n\t'PUT',\n\t'REPORT',\n\t'SEARCH',\n\t'SUBSCRIBE',\n\t'TRACE',\n\t'UNLOCK',\n\t'UNSUBSCRIBE'\n]","exports.fetch = isFunction(global.fetch) && isFunction(global.ReadableStream)\n\nexports.writableStream = isFunction(global.WritableStream)\n\nexports.abortController = isFunction(global.AbortController)\n\n// The xhr request to example.com may violate some restrictive CSP configurations,\n// so if we're running in a browser that supports `fetch`, avoid calling getXHR()\n// and assume support for certain features below.\nvar xhr\nfunction getXHR () {\n\t// Cache the xhr value\n\tif (xhr !== undefined) return xhr\n\n\tif (global.XMLHttpRequest) {\n\t\txhr = new global.XMLHttpRequest()\n\t\t// If XDomainRequest is available (ie only, where xhr might not work\n\t\t// cross domain), use the page location. Otherwise use example.com\n\t\t// Note: this doesn't actually make an http request.\n\t\ttry {\n\t\t\txhr.open('GET', global.XDomainRequest ? '/' : 'https://example.com')\n\t\t} catch(e) {\n\t\t\txhr = null\n\t\t}\n\t} else {\n\t\t// Service workers don't have XHR\n\t\txhr = null\n\t}\n\treturn xhr\n}\n\nfunction checkTypeSupport (type) {\n\tvar xhr = getXHR()\n\tif (!xhr) return false\n\ttry {\n\t\txhr.responseType = type\n\t\treturn xhr.responseType === type\n\t} catch (e) {}\n\treturn false\n}\n\n// If fetch is supported, then arraybuffer will be supported too. Skip calling\n// checkTypeSupport(), since that calls getXHR().\nexports.arraybuffer = exports.fetch || checkTypeSupport('arraybuffer')\n\n// These next two tests unavoidably show warnings in Chrome. Since fetch will always\n// be used if it's available, just return false for these to avoid the warnings.\nexports.msstream = !exports.fetch && checkTypeSupport('ms-stream')\nexports.mozchunkedarraybuffer = !exports.fetch && checkTypeSupport('moz-chunked-arraybuffer')\n\n// If fetch is supported, then overrideMimeType will be supported too. Skip calling\n// getXHR().\nexports.overrideMimeType = exports.fetch || (getXHR() ? isFunction(getXHR().overrideMimeType) : false)\n\nfunction isFunction (value) {\n\treturn typeof value === 'function'\n}\n\nxhr = null // Help gc\n","var capability = require('./capability')\nvar inherits = require('inherits')\nvar response = require('./response')\nvar stream = require('readable-stream')\n\nvar IncomingMessage = response.IncomingMessage\nvar rStates = response.readyStates\n\nfunction decideMode (preferBinary, useFetch) {\n\tif (capability.fetch && useFetch) {\n\t\treturn 'fetch'\n\t} else if (capability.mozchunkedarraybuffer) {\n\t\treturn 'moz-chunked-arraybuffer'\n\t} else if (capability.msstream) {\n\t\treturn 'ms-stream'\n\t} else if (capability.arraybuffer && preferBinary) {\n\t\treturn 'arraybuffer'\n\t} else {\n\t\treturn 'text'\n\t}\n}\n\nvar ClientRequest = module.exports = function (opts) {\n\tvar self = this\n\tstream.Writable.call(self)\n\n\tself._opts = opts\n\tself._body = []\n\tself._headers = {}\n\tif (opts.auth)\n\t\tself.setHeader('Authorization', 'Basic ' + Buffer.from(opts.auth).toString('base64'))\n\tObject.keys(opts.headers).forEach(function (name) {\n\t\tself.setHeader(name, opts.headers[name])\n\t})\n\n\tvar preferBinary\n\tvar useFetch = true\n\tif (opts.mode === 'disable-fetch' || ('requestTimeout' in opts && !capability.abortController)) {\n\t\t// If the use of XHR should be preferred. Not typically needed.\n\t\tuseFetch = false\n\t\tpreferBinary = true\n\t} else if (opts.mode === 'prefer-streaming') {\n\t\t// If streaming is a high priority but binary compatibility and\n\t\t// the accuracy of the 'content-type' header aren't\n\t\tpreferBinary = false\n\t} else if (opts.mode === 'allow-wrong-content-type') {\n\t\t// If streaming is more important than preserving the 'content-type' header\n\t\tpreferBinary = !capability.overrideMimeType\n\t} else if (!opts.mode || opts.mode === 'default' || opts.mode === 'prefer-fast') {\n\t\t// Use binary if text streaming may corrupt data or the content-type header, or for speed\n\t\tpreferBinary = true\n\t} else {\n\t\tthrow new Error('Invalid value for opts.mode')\n\t}\n\tself._mode = decideMode(preferBinary, useFetch)\n\tself._fetchTimer = null\n\tself._socketTimeout = null\n\tself._socketTimer = null\n\n\tself.on('finish', function () {\n\t\tself._onFinish()\n\t})\n}\n\ninherits(ClientRequest, stream.Writable)\n\nClientRequest.prototype.setHeader = function (name, value) {\n\tvar self = this\n\tvar lowerName = name.toLowerCase()\n\t// This check is not necessary, but it prevents warnings from browsers about setting unsafe\n\t// headers. To be honest I'm not entirely sure hiding these warnings is a good thing, but\n\t// http-browserify did it, so I will too.\n\tif (unsafeHeaders.indexOf(lowerName) !== -1)\n\t\treturn\n\n\tself._headers[lowerName] = {\n\t\tname: name,\n\t\tvalue: value\n\t}\n}\n\nClientRequest.prototype.getHeader = function (name) {\n\tvar header = this._headers[name.toLowerCase()]\n\tif (header)\n\t\treturn header.value\n\treturn null\n}\n\nClientRequest.prototype.removeHeader = function (name) {\n\tvar self = this\n\tdelete self._headers[name.toLowerCase()]\n}\n\nClientRequest.prototype._onFinish = function () {\n\tvar self = this\n\n\tif (self._destroyed)\n\t\treturn\n\tvar opts = self._opts\n\n\tif ('timeout' in opts && opts.timeout !== 0) {\n\t\tself.setTimeout(opts.timeout)\n\t}\n\n\tvar headersObj = self._headers\n\tvar body = null\n\tif (opts.method !== 'GET' && opts.method !== 'HEAD') {\n body = new Blob(self._body, {\n type: (headersObj['content-type'] || {}).value || ''\n });\n }\n\n\t// create flattened list of headers\n\tvar headersList = []\n\tObject.keys(headersObj).forEach(function (keyName) {\n\t\tvar name = headersObj[keyName].name\n\t\tvar value = headersObj[keyName].value\n\t\tif (Array.isArray(value)) {\n\t\t\tvalue.forEach(function (v) {\n\t\t\t\theadersList.push([name, v])\n\t\t\t})\n\t\t} else {\n\t\t\theadersList.push([name, value])\n\t\t}\n\t})\n\n\tif (self._mode === 'fetch') {\n\t\tvar signal = null\n\t\tif (capability.abortController) {\n\t\t\tvar controller = new AbortController()\n\t\t\tsignal = controller.signal\n\t\t\tself._fetchAbortController = controller\n\n\t\t\tif ('requestTimeout' in opts && opts.requestTimeout !== 0) {\n\t\t\t\tself._fetchTimer = global.setTimeout(function () {\n\t\t\t\t\tself.emit('requestTimeout')\n\t\t\t\t\tif (self._fetchAbortController)\n\t\t\t\t\t\tself._fetchAbortController.abort()\n\t\t\t\t}, opts.requestTimeout)\n\t\t\t}\n\t\t}\n\n\t\tglobal.fetch(self._opts.url, {\n\t\t\tmethod: self._opts.method,\n\t\t\theaders: headersList,\n\t\t\tbody: body || undefined,\n\t\t\tmode: 'cors',\n\t\t\tcredentials: opts.withCredentials ? 'include' : 'same-origin',\n\t\t\tsignal: signal\n\t\t}).then(function (response) {\n\t\t\tself._fetchResponse = response\n\t\t\tself._resetTimers(false)\n\t\t\tself._connect()\n\t\t}, function (reason) {\n\t\t\tself._resetTimers(true)\n\t\t\tif (!self._destroyed)\n\t\t\t\tself.emit('error', reason)\n\t\t})\n\t} else {\n\t\tvar xhr = self._xhr = new global.XMLHttpRequest()\n\t\ttry {\n\t\t\txhr.open(self._opts.method, self._opts.url, true)\n\t\t} catch (err) {\n\t\t\tprocess.nextTick(function () {\n\t\t\t\tself.emit('error', err)\n\t\t\t})\n\t\t\treturn\n\t\t}\n\n\t\t// Can't set responseType on really old browsers\n\t\tif ('responseType' in xhr)\n\t\t\txhr.responseType = self._mode\n\n\t\tif ('withCredentials' in xhr)\n\t\t\txhr.withCredentials = !!opts.withCredentials\n\n\t\tif (self._mode === 'text' && 'overrideMimeType' in xhr)\n\t\t\txhr.overrideMimeType('text/plain; charset=x-user-defined')\n\n\t\tif ('requestTimeout' in opts) {\n\t\t\txhr.timeout = opts.requestTimeout\n\t\t\txhr.ontimeout = function () {\n\t\t\t\tself.emit('requestTimeout')\n\t\t\t}\n\t\t}\n\n\t\theadersList.forEach(function (header) {\n\t\t\txhr.setRequestHeader(header[0], header[1])\n\t\t})\n\n\t\tself._response = null\n\t\txhr.onreadystatechange = function () {\n\t\t\tswitch (xhr.readyState) {\n\t\t\t\tcase rStates.LOADING:\n\t\t\t\tcase rStates.DONE:\n\t\t\t\t\tself._onXHRProgress()\n\t\t\t\t\tbreak\n\t\t\t}\n\t\t}\n\t\t// Necessary for streaming in Firefox, since xhr.response is ONLY defined\n\t\t// in onprogress, not in onreadystatechange with xhr.readyState = 3\n\t\tif (self._mode === 'moz-chunked-arraybuffer') {\n\t\t\txhr.onprogress = function () {\n\t\t\t\tself._onXHRProgress()\n\t\t\t}\n\t\t}\n\n\t\txhr.onerror = function () {\n\t\t\tif (self._destroyed)\n\t\t\t\treturn\n\t\t\tself._resetTimers(true)\n\t\t\tself.emit('error', new Error('XHR error'))\n\t\t}\n\n\t\ttry {\n\t\t\txhr.send(body)\n\t\t} catch (err) {\n\t\t\tprocess.nextTick(function () {\n\t\t\t\tself.emit('error', err)\n\t\t\t})\n\t\t\treturn\n\t\t}\n\t}\n}\n\n/**\n * Checks if xhr.status is readable and non-zero, indicating no error.\n * Even though the spec says it should be available in readyState 3,\n * accessing it throws an exception in IE8\n */\nfunction statusValid (xhr) {\n\ttry {\n\t\tvar status = xhr.status\n\t\treturn (status !== null && status !== 0)\n\t} catch (e) {\n\t\treturn false\n\t}\n}\n\nClientRequest.prototype._onXHRProgress = function () {\n\tvar self = this\n\n\tself._resetTimers(false)\n\n\tif (!statusValid(self._xhr) || self._destroyed)\n\t\treturn\n\n\tif (!self._response)\n\t\tself._connect()\n\n\tself._response._onXHRProgress(self._resetTimers.bind(self))\n}\n\nClientRequest.prototype._connect = function () {\n\tvar self = this\n\n\tif (self._destroyed)\n\t\treturn\n\n\tself._response = new IncomingMessage(self._xhr, self._fetchResponse, self._mode, self._resetTimers.bind(self))\n\tself._response.on('error', function(err) {\n\t\tself.emit('error', err)\n\t})\n\n\tself.emit('response', self._response)\n}\n\nClientRequest.prototype._write = function (chunk, encoding, cb) {\n\tvar self = this\n\n\tself._body.push(chunk)\n\tcb()\n}\n\nClientRequest.prototype._resetTimers = function (done) {\n\tvar self = this\n\n\tglobal.clearTimeout(self._socketTimer)\n\tself._socketTimer = null\n\n\tif (done) {\n\t\tglobal.clearTimeout(self._fetchTimer)\n\t\tself._fetchTimer = null\n\t} else if (self._socketTimeout) {\n\t\tself._socketTimer = global.setTimeout(function () {\n\t\t\tself.emit('timeout')\n\t\t}, self._socketTimeout)\n\t}\n}\n\nClientRequest.prototype.abort = ClientRequest.prototype.destroy = function (err) {\n\tvar self = this\n\tself._destroyed = true\n\tself._resetTimers(true)\n\tif (self._response)\n\t\tself._response._destroyed = true\n\tif (self._xhr)\n\t\tself._xhr.abort()\n\telse if (self._fetchAbortController)\n\t\tself._fetchAbortController.abort()\n\n\tif (err)\n\t\tself.emit('error', err)\n}\n\nClientRequest.prototype.end = function (data, encoding, cb) {\n\tvar self = this\n\tif (typeof data === 'function') {\n\t\tcb = data\n\t\tdata = undefined\n\t}\n\n\tstream.Writable.prototype.end.call(self, data, encoding, cb)\n}\n\nClientRequest.prototype.setTimeout = function (timeout, cb) {\n\tvar self = this\n\n\tif (cb)\n\t\tself.once('timeout', cb)\n\n\tself._socketTimeout = timeout\n\tself._resetTimers(false)\n}\n\nClientRequest.prototype.flushHeaders = function () {}\nClientRequest.prototype.setNoDelay = function () {}\nClientRequest.prototype.setSocketKeepAlive = function () {}\n\n// Taken from http://www.w3.org/TR/XMLHttpRequest/#the-setrequestheader%28%29-method\nvar unsafeHeaders = [\n\t'accept-charset',\n\t'accept-encoding',\n\t'access-control-request-headers',\n\t'access-control-request-method',\n\t'connection',\n\t'content-length',\n\t'cookie',\n\t'cookie2',\n\t'date',\n\t'dnt',\n\t'expect',\n\t'host',\n\t'keep-alive',\n\t'origin',\n\t'referer',\n\t'te',\n\t'trailer',\n\t'transfer-encoding',\n\t'upgrade',\n\t'via'\n]\n","var capability = require('./capability')\nvar inherits = require('inherits')\nvar stream = require('readable-stream')\n\nvar rStates = exports.readyStates = {\n\tUNSENT: 0,\n\tOPENED: 1,\n\tHEADERS_RECEIVED: 2,\n\tLOADING: 3,\n\tDONE: 4\n}\n\nvar IncomingMessage = exports.IncomingMessage = function (xhr, response, mode, resetTimers) {\n\tvar self = this\n\tstream.Readable.call(self)\n\n\tself._mode = mode\n\tself.headers = {}\n\tself.rawHeaders = []\n\tself.trailers = {}\n\tself.rawTrailers = []\n\n\t// Fake the 'close' event, but only once 'end' fires\n\tself.on('end', function () {\n\t\t// The nextTick is necessary to prevent the 'request' module from causing an infinite loop\n\t\tprocess.nextTick(function () {\n\t\t\tself.emit('close')\n\t\t})\n\t})\n\n\tif (mode === 'fetch') {\n\t\tself._fetchResponse = response\n\n\t\tself.url = response.url\n\t\tself.statusCode = response.status\n\t\tself.statusMessage = response.statusText\n\t\t\n\t\tresponse.headers.forEach(function (header, key){\n\t\t\tself.headers[key.toLowerCase()] = header\n\t\t\tself.rawHeaders.push(key, header)\n\t\t})\n\n\t\tif (capability.writableStream) {\n\t\t\tvar writable = new WritableStream({\n\t\t\t\twrite: function (chunk) {\n\t\t\t\t\tresetTimers(false)\n\t\t\t\t\treturn new Promise(function (resolve, reject) {\n\t\t\t\t\t\tif (self._destroyed) {\n\t\t\t\t\t\t\treject()\n\t\t\t\t\t\t} else if(self.push(Buffer.from(chunk))) {\n\t\t\t\t\t\t\tresolve()\n\t\t\t\t\t\t} else {\n\t\t\t\t\t\t\tself._resumeFetch = resolve\n\t\t\t\t\t\t}\n\t\t\t\t\t})\n\t\t\t\t},\n\t\t\t\tclose: function () {\n\t\t\t\t\tresetTimers(true)\n\t\t\t\t\tif (!self._destroyed)\n\t\t\t\t\t\tself.push(null)\n\t\t\t\t},\n\t\t\t\tabort: function (err) {\n\t\t\t\t\tresetTimers(true)\n\t\t\t\t\tif (!self._destroyed)\n\t\t\t\t\t\tself.emit('error', err)\n\t\t\t\t}\n\t\t\t})\n\n\t\t\ttry {\n\t\t\t\tresponse.body.pipeTo(writable).catch(function (err) {\n\t\t\t\t\tresetTimers(true)\n\t\t\t\t\tif (!self._destroyed)\n\t\t\t\t\t\tself.emit('error', err)\n\t\t\t\t})\n\t\t\t\treturn\n\t\t\t} catch (e) {} // pipeTo method isn't defined. Can't find a better way to feature test this\n\t\t}\n\t\t// fallback for when writableStream or pipeTo aren't available\n\t\tvar reader = response.body.getReader()\n\t\tfunction read () {\n\t\t\treader.read().then(function (result) {\n\t\t\t\tif (self._destroyed)\n\t\t\t\t\treturn\n\t\t\t\tresetTimers(result.done)\n\t\t\t\tif (result.done) {\n\t\t\t\t\tself.push(null)\n\t\t\t\t\treturn\n\t\t\t\t}\n\t\t\t\tself.push(Buffer.from(result.value))\n\t\t\t\tread()\n\t\t\t}).catch(function (err) {\n\t\t\t\tresetTimers(true)\n\t\t\t\tif (!self._destroyed)\n\t\t\t\t\tself.emit('error', err)\n\t\t\t})\n\t\t}\n\t\tread()\n\t} else {\n\t\tself._xhr = xhr\n\t\tself._pos = 0\n\n\t\tself.url = xhr.responseURL\n\t\tself.statusCode = xhr.status\n\t\tself.statusMessage = xhr.statusText\n\t\tvar headers = xhr.getAllResponseHeaders().split(/\\r?\\n/)\n\t\theaders.forEach(function (header) {\n\t\t\tvar matches = header.match(/^([^:]+):\\s*(.*)/)\n\t\t\tif (matches) {\n\t\t\t\tvar key = matches[1].toLowerCase()\n\t\t\t\tif (key === 'set-cookie') {\n\t\t\t\t\tif (self.headers[key] === undefined) {\n\t\t\t\t\t\tself.headers[key] = []\n\t\t\t\t\t}\n\t\t\t\t\tself.headers[key].push(matches[2])\n\t\t\t\t} else if (self.headers[key] !== undefined) {\n\t\t\t\t\tself.headers[key] += ', ' + matches[2]\n\t\t\t\t} else {\n\t\t\t\t\tself.headers[key] = matches[2]\n\t\t\t\t}\n\t\t\t\tself.rawHeaders.push(matches[1], matches[2])\n\t\t\t}\n\t\t})\n\n\t\tself._charset = 'x-user-defined'\n\t\tif (!capability.overrideMimeType) {\n\t\t\tvar mimeType = self.rawHeaders['mime-type']\n\t\t\tif (mimeType) {\n\t\t\t\tvar charsetMatch = mimeType.match(/;\\s*charset=([^;])(;|$)/)\n\t\t\t\tif (charsetMatch) {\n\t\t\t\t\tself._charset = charsetMatch[1].toLowerCase()\n\t\t\t\t}\n\t\t\t}\n\t\t\tif (!self._charset)\n\t\t\t\tself._charset = 'utf-8' // best guess\n\t\t}\n\t}\n}\n\ninherits(IncomingMessage, stream.Readable)\n\nIncomingMessage.prototype._read = function () {\n\tvar self = this\n\n\tvar resolve = self._resumeFetch\n\tif (resolve) {\n\t\tself._resumeFetch = null\n\t\tresolve()\n\t}\n}\n\nIncomingMessage.prototype._onXHRProgress = function (resetTimers) {\n\tvar self = this\n\n\tvar xhr = self._xhr\n\n\tvar response = null\n\tswitch (self._mode) {\n\t\tcase 'text':\n\t\t\tresponse = xhr.responseText\n\t\t\tif (response.length > self._pos) {\n\t\t\t\tvar newData = response.substr(self._pos)\n\t\t\t\tif (self._charset === 'x-user-defined') {\n\t\t\t\t\tvar buffer = Buffer.alloc(newData.length)\n\t\t\t\t\tfor (var i = 0; i < newData.length; i++)\n\t\t\t\t\t\tbuffer[i] = newData.charCodeAt(i) & 0xff\n\n\t\t\t\t\tself.push(buffer)\n\t\t\t\t} else {\n\t\t\t\t\tself.push(newData, self._charset)\n\t\t\t\t}\n\t\t\t\tself._pos = response.length\n\t\t\t}\n\t\t\tbreak\n\t\tcase 'arraybuffer':\n\t\t\tif (xhr.readyState !== rStates.DONE || !xhr.response)\n\t\t\t\tbreak\n\t\t\tresponse = xhr.response\n\t\t\tself.push(Buffer.from(new Uint8Array(response)))\n\t\t\tbreak\n\t\tcase 'moz-chunked-arraybuffer': // take whole\n\t\t\tresponse = xhr.response\n\t\t\tif (xhr.readyState !== rStates.LOADING || !response)\n\t\t\t\tbreak\n\t\t\tself.push(Buffer.from(new Uint8Array(response)))\n\t\t\tbreak\n\t\tcase 'ms-stream':\n\t\t\tresponse = xhr.response\n\t\t\tif (xhr.readyState !== rStates.LOADING)\n\t\t\t\tbreak\n\t\t\tvar reader = new global.MSStreamReader()\n\t\t\treader.onprogress = function () {\n\t\t\t\tif (reader.result.byteLength > self._pos) {\n\t\t\t\t\tself.push(Buffer.from(new Uint8Array(reader.result.slice(self._pos))))\n\t\t\t\t\tself._pos = reader.result.byteLength\n\t\t\t\t}\n\t\t\t}\n\t\t\treader.onload = function () {\n\t\t\t\tresetTimers(true)\n\t\t\t\tself.push(null)\n\t\t\t}\n\t\t\t// reader.onerror = ??? // TODO: this\n\t\t\treader.readAsArrayBuffer(response)\n\t\t\tbreak\n\t}\n\n\t// The ms-stream case handles end separately in reader.onload()\n\tif (self._xhr.readyState === rStates.DONE && self._mode !== 'ms-stream') {\n\t\tresetTimers(true)\n\t\tself.push(null)\n\t}\n}\n","module.exports = extend\n\nvar hasOwnProperty = Object.prototype.hasOwnProperty;\n\nfunction extend() {\n var target = {}\n\n for (var i = 0; i < arguments.length; i++) {\n var source = arguments[i]\n\n for (var key in source) {\n if (hasOwnProperty.call(source, key)) {\n target[key] = source[key]\n }\n }\n }\n\n return target\n}\n","import { getCurrentUser as A, onRequestTokenUpdate as ue, getRequestToken as de } from \"@nextcloud/auth\";\nimport { getLoggerBuilder as q } from \"@nextcloud/logger\";\nimport { getCanonicalLocale as ae } from \"@nextcloud/l10n\";\nimport { join as le, basename as fe, extname as ce, dirname as I } from \"path\";\nimport { encodePath as he } from \"@nextcloud/paths\";\nimport { generateRemoteUrl as pe } from \"@nextcloud/router\";\nimport { createClient as ge, getPatcher as we } from \"webdav\";\n/**\n * @copyright 2019 Christoph Wurst \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 me = (e) => e === null ? q().setApp(\"files\").build() : q().setApp(\"files\").setUid(e.uid).build(), m = me(A());\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 */\nclass Ne {\n _entries = [];\n registerEntry(t) {\n this.validateEntry(t), this._entries.push(t);\n }\n unregisterEntry(t) {\n const r = typeof t == \"string\" ? this.getEntryIndex(t) : this.getEntryIndex(t.id);\n if (r === -1) {\n m.warn(\"Entry not found, nothing removed\", { entry: t, entries: this.getEntries() });\n return;\n }\n this._entries.splice(r, 1);\n }\n /**\n * Get the list of registered entries\n *\n * @param {Folder} context the creation context. Usually the current folder\n */\n getEntries(t) {\n return t ? this._entries.filter((r) => typeof r.enabled == \"function\" ? r.enabled(t) : !0) : this._entries;\n }\n getEntryIndex(t) {\n return this._entries.findIndex((r) => r.id === t);\n }\n validateEntry(t) {\n if (!t.id || !t.displayName || !(t.iconSvgInline || t.iconClass) || !t.handler)\n throw new Error(\"Invalid entry\");\n if (typeof t.id != \"string\" || typeof t.displayName != \"string\")\n throw new Error(\"Invalid id or displayName property\");\n if (t.iconClass && typeof t.iconClass != \"string\" || t.iconSvgInline && typeof t.iconSvgInline != \"string\")\n throw new Error(\"Invalid icon provided\");\n if (t.enabled !== void 0 && typeof t.enabled != \"function\")\n throw new Error(\"Invalid enabled property\");\n if (typeof t.handler != \"function\")\n throw new Error(\"Invalid handler property\");\n if (\"order\" in t && typeof t.order != \"number\")\n throw new Error(\"Invalid order property\");\n if (this.getEntryIndex(t.id) !== -1)\n throw new Error(\"Duplicate entry\");\n }\n}\nconst F = function() {\n return typeof window._nc_newfilemenu > \"u\" && (window._nc_newfilemenu = new Ne(), m.debug(\"NewFileMenu initialized\")), window._nc_newfilemenu;\n};\n/**\n * @copyright 2019 Christoph Wurst \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 C = [\"B\", \"KB\", \"MB\", \"GB\", \"TB\", \"PB\"], P = [\"B\", \"KiB\", \"MiB\", \"GiB\", \"TiB\", \"PiB\"];\nfunction Yt(e, t = !1, r = !1, s = !1) {\n r = r && !s, typeof e == \"string\" && (e = Number(e));\n let n = e > 0 ? Math.floor(Math.log(e) / Math.log(s ? 1e3 : 1024)) : 0;\n n = Math.min((r ? P.length : C.length) - 1, n);\n const i = r ? P[n] : C[n];\n let d = (e / Math.pow(s ? 1e3 : 1024, n)).toFixed(1);\n return t === !0 && n === 0 ? (d !== \"0.0\" ? \"< 1 \" : \"0 \") + (r ? P[1] : C[1]) : (n < 2 ? d = parseFloat(d).toFixed(0) : d = parseFloat(d).toLocaleString(ae()), d + \" \" + i);\n}\nfunction Jt(e, t = !1) {\n try {\n e = `${e}`.toLocaleLowerCase().replaceAll(/\\s+/g, \"\").replaceAll(\",\", \".\");\n } catch {\n return null;\n }\n const r = e.match(/^([0-9]*(\\.[0-9]*)?)([kmgtp]?)(i?)b?$/);\n if (r === null || r[1] === \".\" || r[1] === \"\")\n return null;\n const s = {\n \"\": 0,\n k: 1,\n m: 2,\n g: 3,\n t: 4,\n p: 5,\n e: 6\n }, n = `${r[1]}`, i = r[4] === \"i\" || t ? 1024 : 1e3;\n return Math.round(Number.parseFloat(n) * i ** s[r[3]]);\n}\n/**\n * @copyright Copyright (c) 2023 John Molakvoæ \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 Z = /* @__PURE__ */ ((e) => (e.DEFAULT = \"default\", e.HIDDEN = \"hidden\", e))(Z || {});\nclass Qt {\n _action;\n constructor(t) {\n this.validateAction(t), this._action = t;\n }\n get id() {\n return this._action.id;\n }\n get displayName() {\n return this._action.displayName;\n }\n get title() {\n return this._action.title;\n }\n get iconSvgInline() {\n return this._action.iconSvgInline;\n }\n get enabled() {\n return this._action.enabled;\n }\n get exec() {\n return this._action.exec;\n }\n get execBatch() {\n return this._action.execBatch;\n }\n get order() {\n return this._action.order;\n }\n get parent() {\n return this._action.parent;\n }\n get default() {\n return this._action.default;\n }\n get inline() {\n return this._action.inline;\n }\n get renderInline() {\n return this._action.renderInline;\n }\n validateAction(t) {\n if (!t.id || typeof t.id != \"string\")\n throw new Error(\"Invalid id\");\n if (!t.displayName || typeof t.displayName != \"function\")\n throw new Error(\"Invalid displayName function\");\n if (\"title\" in t && typeof t.title != \"function\")\n throw new Error(\"Invalid title function\");\n if (!t.iconSvgInline || typeof t.iconSvgInline != \"function\")\n throw new Error(\"Invalid iconSvgInline function\");\n if (!t.exec || typeof t.exec != \"function\")\n throw new Error(\"Invalid exec function\");\n if (\"enabled\" in t && typeof t.enabled != \"function\")\n throw new Error(\"Invalid enabled function\");\n if (\"execBatch\" in t && typeof t.execBatch != \"function\")\n throw new Error(\"Invalid execBatch function\");\n if (\"order\" in t && typeof t.order != \"number\")\n throw new Error(\"Invalid order\");\n if (\"parent\" in t && typeof t.parent != \"string\")\n throw new Error(\"Invalid parent\");\n if (t.default && !Object.values(Z).includes(t.default))\n throw new Error(\"Invalid default\");\n if (\"inline\" in t && typeof t.inline != \"function\")\n throw new Error(\"Invalid inline function\");\n if (\"renderInline\" in t && typeof t.renderInline != \"function\")\n throw new Error(\"Invalid renderInline function\");\n }\n}\nconst Dt = function(e) {\n if (typeof window._nc_fileactions > \"u\" && (window._nc_fileactions = [], m.debug(\"FileActions initialized\")), window._nc_fileactions.find((t) => t.id === e.id)) {\n m.error(`FileAction ${e.id} already registered`, { action: e });\n return;\n }\n window._nc_fileactions.push(e);\n}, er = function() {\n return typeof window._nc_fileactions > \"u\" && (window._nc_fileactions = [], m.debug(\"FileActions initialized\")), window._nc_fileactions;\n};\n/**\n * @copyright Copyright (c) 2023 John Molakvoæ \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 tr {\n _header;\n constructor(t) {\n this.validateHeader(t), this._header = t;\n }\n get id() {\n return this._header.id;\n }\n get order() {\n return this._header.order;\n }\n get enabled() {\n return this._header.enabled;\n }\n get render() {\n return this._header.render;\n }\n get updated() {\n return this._header.updated;\n }\n validateHeader(t) {\n if (!t.id || !t.render || !t.updated)\n throw new Error(\"Invalid header: id, render and updated are required\");\n if (typeof t.id != \"string\")\n throw new Error(\"Invalid id property\");\n if (t.enabled !== void 0 && typeof t.enabled != \"function\")\n throw new Error(\"Invalid enabled property\");\n if (t.render && typeof t.render != \"function\")\n throw new Error(\"Invalid render property\");\n if (t.updated && typeof t.updated != \"function\")\n throw new Error(\"Invalid updated property\");\n }\n}\nconst rr = function(e) {\n if (typeof window._nc_filelistheader > \"u\" && (window._nc_filelistheader = [], m.debug(\"FileListHeaders initialized\")), window._nc_filelistheader.find((t) => t.id === e.id)) {\n m.error(`Header ${e.id} already registered`, { header: e });\n return;\n }\n window._nc_filelistheader.push(e);\n}, nr = function() {\n return typeof window._nc_filelistheader > \"u\" && (window._nc_filelistheader = [], m.debug(\"FileListHeaders initialized\")), window._nc_filelistheader;\n};\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ \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 N = /* @__PURE__ */ ((e) => (e[e.NONE = 0] = \"NONE\", e[e.CREATE = 4] = \"CREATE\", e[e.READ = 1] = \"READ\", e[e.UPDATE = 2] = \"UPDATE\", e[e.DELETE = 8] = \"DELETE\", e[e.SHARE = 16] = \"SHARE\", e[e.ALL = 31] = \"ALL\", e))(N || {});\n/**\n * @copyright Copyright (c) 2023 John Molakvoæ \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 j = [\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 \"nc:share-attributes\",\n \"oc:comments-unread\",\n \"oc:favorite\",\n \"oc:fileid\",\n \"oc:owner-display-name\",\n \"oc:owner-id\",\n \"oc:permissions\",\n \"oc:share-types\",\n \"oc:size\",\n \"ocs:share-permissions\"\n], Y = {\n d: \"DAV:\",\n nc: \"http://nextcloud.org/ns\",\n oc: \"http://owncloud.org/ns\",\n ocs: \"http://open-collaboration-services.org/ns\"\n}, ir = function(e, t = { nc: \"http://nextcloud.org/ns\" }) {\n typeof window._nc_dav_properties > \"u\" && (window._nc_dav_properties = [...j], window._nc_dav_namespaces = { ...Y });\n const r = { ...window._nc_dav_namespaces, ...t };\n if (window._nc_dav_properties.find((n) => n === e))\n return m.error(`${e} already registered`, { prop: e }), !1;\n if (e.startsWith(\"<\") || e.split(\":\").length !== 2)\n return m.error(`${e} is not valid. See example: 'oc:fileid'`, { prop: e }), !1;\n const s = e.split(\":\")[0];\n return r[s] ? (window._nc_dav_properties.push(e), window._nc_dav_namespaces = r, !0) : (m.error(`${e} namespace unknown`, { prop: e, namespaces: r }), !1);\n}, V = function() {\n return typeof window._nc_dav_properties > \"u\" && (window._nc_dav_properties = [...j]), window._nc_dav_properties.map((e) => `<${e} />`).join(\" \");\n}, L = function() {\n return typeof window._nc_dav_namespaces > \"u\" && (window._nc_dav_namespaces = { ...Y }), Object.keys(window._nc_dav_namespaces).map((e) => `xmlns:${e}=\"${window._nc_dav_namespaces?.[e]}\"`).join(\" \");\n}, sr = function() {\n return `\n\t\t\n\t\t\t\n\t\t\t\t${V()}\n\t\t\t\n\t\t`;\n}, Ee = function() {\n return `\n\t\t\n\t\t\t\n\t\t\t\t${V()}\n\t\t\t\n\t\t\t\n\t\t\t\t1\n\t\t\t\n\t\t`;\n}, or = function(e) {\n return `\n\n\t\n\t\t\n\t\t\t\n\t\t\t\t${V()}\n\t\t\t\n\t\t\n\t\t\n\t\t\t\n\t\t\t\t/files/${A()?.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`;\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 be = function(e = \"\") {\n let t = N.NONE;\n return e && ((e.includes(\"C\") || e.includes(\"K\")) && (t |= N.CREATE), e.includes(\"G\") && (t |= N.READ), (e.includes(\"W\") || e.includes(\"N\") || e.includes(\"V\")) && (t |= N.UPDATE), e.includes(\"D\") && (t |= N.DELETE), e.includes(\"R\") && (t |= N.SHARE)), t;\n};\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ \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 R = /* @__PURE__ */ ((e) => (e.Folder = \"folder\", e.File = \"file\", e))(R || {});\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 J = function(e, t) {\n return e.match(t) !== null;\n}, X = (e, t) => {\n if (e.id && typeof e.id != \"number\")\n throw new Error(\"Invalid id type of value\");\n if (!e.source)\n throw new Error(\"Missing mandatory source\");\n try {\n new URL(e.source);\n } catch {\n throw new Error(\"Invalid source format, source must be a valid URL\");\n }\n if (!e.source.startsWith(\"http\"))\n throw new Error(\"Invalid source format, only http(s) is supported\");\n if (e.mtime && !(e.mtime instanceof Date))\n throw new Error(\"Invalid mtime type\");\n if (e.crtime && !(e.crtime instanceof Date))\n throw new Error(\"Invalid crtime type\");\n if (!e.mime || typeof e.mime != \"string\" || !e.mime.match(/^[-\\w.]+\\/[-+\\w.]+$/gi))\n throw new Error(\"Missing or invalid mandatory mime\");\n if (\"size\" in e && typeof e.size != \"number\" && e.size !== void 0)\n throw new Error(\"Invalid size type\");\n if (\"permissions\" in e && e.permissions !== void 0 && !(typeof e.permissions == \"number\" && e.permissions >= N.NONE && e.permissions <= N.ALL))\n throw new Error(\"Invalid permissions\");\n if (e.owner && e.owner !== null && typeof e.owner != \"string\")\n throw new Error(\"Invalid owner type\");\n if (e.attributes && typeof e.attributes != \"object\")\n throw new Error(\"Invalid attributes type\");\n if (e.root && typeof e.root != \"string\")\n throw new Error(\"Invalid root type\");\n if (e.root && !e.root.startsWith(\"/\"))\n throw new Error(\"Root must start with a leading slash\");\n if (e.root && !e.source.includes(e.root))\n throw new Error(\"Root must be part of the source\");\n if (e.root && J(e.source, t)) {\n const r = e.source.match(t)[0];\n if (!e.source.includes(le(r, e.root)))\n throw new Error(\"The root must be relative to the service. e.g /files/emma\");\n }\n if (e.status && !Object.values(Q).includes(e.status))\n throw new Error(\"Status must be a valid NodeStatus\");\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 Q = /* @__PURE__ */ ((e) => (e.NEW = \"new\", e.FAILED = \"failed\", e.LOADING = \"loading\", e.LOCKED = \"locked\", e))(Q || {});\nclass D {\n _data;\n _attributes;\n _knownDavService = /(remote|public)\\.php\\/(web)?dav/i;\n constructor(t, r) {\n X(t, r || this._knownDavService), this._data = t;\n const s = {\n // eslint-disable-next-line @typescript-eslint/no-explicit-any\n set: (n, i, d) => (this.updateMtime(), Reflect.set(n, i, d)),\n deleteProperty: (n, i) => (this.updateMtime(), Reflect.deleteProperty(n, i))\n // eslint-disable-next-line @typescript-eslint/no-explicit-any\n };\n this._attributes = new Proxy(t.attributes || {}, s), delete this._data.attributes, r && (this._knownDavService = r);\n }\n /**\n * Get the source url to this object\n */\n get source() {\n return this._data.source.replace(/\\/$/i, \"\");\n }\n /**\n * Get the encoded source url to this object for requests purposes\n */\n get encodedSource() {\n const { origin: t } = new URL(this.source);\n return t + he(this.source.slice(t.length));\n }\n /**\n * Get this object name\n */\n get basename() {\n return fe(this.source);\n }\n /**\n * Get this object's extension\n */\n get extension() {\n return ce(this.source);\n }\n /**\n * Get the directory path leading to this object\n * Will use the relative path to root if available\n */\n get dirname() {\n if (this.root) {\n let r = this.source;\n this.isDavRessource && (r = r.split(this._knownDavService).pop());\n const s = r.indexOf(this.root), n = this.root.replace(/\\/$/, \"\");\n return I(r.slice(s + n.length) || \"/\");\n }\n const t = new URL(this.source);\n return I(t.pathname);\n }\n /**\n * Get the file mime\n */\n get mime() {\n return this._data.mime;\n }\n /**\n * Get the file modification time\n */\n get mtime() {\n return this._data.mtime;\n }\n /**\n * Get the file creation time\n */\n get crtime() {\n return this._data.crtime;\n }\n /**\n * Get the file size\n */\n get size() {\n return this._data.size;\n }\n /**\n * Get the file attribute\n */\n get attributes() {\n return this._attributes;\n }\n /**\n * Get the file permissions\n */\n get permissions() {\n return this.owner === null && !this.isDavRessource ? N.READ : this._data.permissions !== void 0 ? this._data.permissions : N.NONE;\n }\n /**\n * Get the file owner\n */\n get owner() {\n return this.isDavRessource ? this._data.owner : null;\n }\n /**\n * Is this a dav-related ressource ?\n */\n get isDavRessource() {\n return J(this.source, this._knownDavService);\n }\n /**\n * Get the dav root of this object\n */\n get root() {\n return this._data.root ? this._data.root.replace(/^(.+)\\/$/, \"$1\") : this.isDavRessource && I(this.source).split(this._knownDavService).pop() || null;\n }\n /**\n * Get the absolute path of this object relative to the root\n */\n get path() {\n if (this.root) {\n let t = this.source;\n this.isDavRessource && (t = t.split(this._knownDavService).pop());\n const r = t.indexOf(this.root), s = this.root.replace(/\\/$/, \"\");\n return t.slice(r + s.length) || \"/\";\n }\n return (this.dirname + \"/\" + this.basename).replace(/\\/\\//g, \"/\");\n }\n /**\n * Get the node id if defined.\n * Will look for the fileid in attributes if undefined.\n */\n get fileid() {\n return this._data?.id || this.attributes?.fileid;\n }\n /**\n * Get the node status.\n */\n get status() {\n return this._data?.status;\n }\n /**\n * Set the node status.\n */\n set status(t) {\n this._data.status = t;\n }\n /**\n * Move the node to a new destination\n *\n * @param {string} destination the new source.\n * e.g. https://cloud.domain.com/remote.php/dav/files/emma/Photos/picture.jpg\n */\n move(t) {\n X({ ...this._data, source: t }, this._knownDavService), this._data.source = t, this.updateMtime();\n }\n /**\n * Rename the node\n * This aliases the move method for easier usage\n *\n * @param basename The new name of the node\n */\n rename(t) {\n if (t.includes(\"/\"))\n throw new Error(\"Invalid basename\");\n this.move(I(this.source) + \"/\" + t);\n }\n /**\n * Update the mtime if exists.\n */\n updateMtime() {\n this._data.mtime && (this._data.mtime = /* @__PURE__ */ new Date());\n }\n}\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ \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 ye extends D {\n get type() {\n return R.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 _e extends D {\n constructor(t) {\n super({\n ...t,\n mime: \"httpd/unix-directory\"\n });\n }\n get type() {\n return R.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 ee = `/files/${A()?.uid}`, te = pe(\"dav\"), ur = function(e = te, t = {}) {\n const r = ge(e, { headers: t });\n function s(i) {\n r.setHeaders({\n ...t,\n // Add this so the server knows it is an request from the browser\n \"X-Requested-With\": \"XMLHttpRequest\",\n // Inject user auth\n requesttoken: i ?? \"\"\n });\n }\n return ue(s), s(de()), we().patch(\"fetch\", (i, d) => {\n const u = d.headers;\n return u?.method && (d.method = u.method, delete u.method), fetch(i, d);\n }), r;\n}, dr = async (e, t = \"/\", r = ee) => (await e.getDirectoryContents(`${r}${t}`, {\n details: !0,\n data: Ee(),\n headers: {\n // see davGetClient for patched webdav client\n method: \"REPORT\"\n },\n includeSelf: !0\n})).data.filter((n) => n.filename !== t).map((n) => ve(n, r)), ve = function(e, t = ee, r = te) {\n const s = e.props, n = be(s?.permissions), i = s?.[\"owner-id\"] || A()?.uid, d = {\n id: s?.fileid || 0,\n source: `${r}${e.filename}`,\n mtime: new Date(Date.parse(e.lastmod)),\n mime: e.mime,\n size: s?.size || Number.parseInt(s.getcontentlength || \"0\"),\n permissions: n,\n owner: i,\n root: t,\n attributes: {\n ...e,\n ...s,\n hasPreview: s?.[\"has-preview\"]\n }\n };\n return delete d.attributes?.props, e.type === \"file\" ? new ye(d) : new _e(d);\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 Te {\n _views = [];\n _currentView = null;\n register(t) {\n if (this._views.find((r) => r.id === t.id))\n throw new Error(`View id ${t.id} is already registered`);\n this._views.push(t);\n }\n remove(t) {\n const r = this._views.findIndex((s) => s.id === t);\n r !== -1 && this._views.splice(r, 1);\n }\n get views() {\n return this._views;\n }\n setActive(t) {\n this._currentView = t;\n }\n get active() {\n return this._currentView;\n }\n}\nconst ar = function() {\n return typeof window._nc_navigation > \"u\" && (window._nc_navigation = new Te(), m.debug(\"Navigation service initialized\")), window._nc_navigation;\n};\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ \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 Ie {\n _column;\n constructor(t) {\n Ae(t), this._column = t;\n }\n get id() {\n return this._column.id;\n }\n get title() {\n return this._column.title;\n }\n get render() {\n return this._column.render;\n }\n get sort() {\n return this._column.sort;\n }\n get summary() {\n return this._column.summary;\n }\n}\nconst Ae = function(e) {\n if (!e.id || typeof e.id != \"string\")\n throw new Error(\"A column id is required\");\n if (!e.title || typeof e.title != \"string\")\n throw new Error(\"A column title is required\");\n if (!e.render || typeof e.render != \"function\")\n throw new Error(\"A render function is required\");\n if (e.sort && typeof e.sort != \"function\")\n throw new Error(\"Column sortFunction must be a function\");\n if (e.summary && typeof e.summary != \"function\")\n throw new Error(\"Column summary must be a function\");\n return !0;\n};\nvar S = {}, O = {};\n(function(e) {\n const t = \":A-Za-z_\\\\u00C0-\\\\u00D6\\\\u00D8-\\\\u00F6\\\\u00F8-\\\\u02FF\\\\u0370-\\\\u037D\\\\u037F-\\\\u1FFF\\\\u200C-\\\\u200D\\\\u2070-\\\\u218F\\\\u2C00-\\\\u2FEF\\\\u3001-\\\\uD7FF\\\\uF900-\\\\uFDCF\\\\uFDF0-\\\\uFFFD\", r = t + \"\\\\-.\\\\d\\\\u00B7\\\\u0300-\\\\u036F\\\\u203F-\\\\u2040\", s = \"[\" + t + \"][\" + r + \"]*\", n = new RegExp(\"^\" + s + \"$\"), i = function(u, o) {\n const a = [];\n let l = o.exec(u);\n for (; l; ) {\n const f = [];\n f.startIndex = o.lastIndex - l[0].length;\n const c = l.length;\n for (let g = 0; g < c; g++)\n f.push(l[g]);\n a.push(f), l = o.exec(u);\n }\n return a;\n }, d = function(u) {\n const o = n.exec(u);\n return !(o === null || typeof o > \"u\");\n };\n e.isExist = function(u) {\n return typeof u < \"u\";\n }, e.isEmptyObject = function(u) {\n return Object.keys(u).length === 0;\n }, e.merge = function(u, o, a) {\n if (o) {\n const l = Object.keys(o), f = l.length;\n for (let c = 0; c < f; c++)\n a === \"strict\" ? u[l[c]] = [o[l[c]]] : u[l[c]] = o[l[c]];\n }\n }, e.getValue = function(u) {\n return e.isExist(u) ? u : \"\";\n }, e.isName = d, e.getAllMatches = i, e.nameRegexp = s;\n})(O);\nconst M = O, Oe = {\n allowBooleanAttributes: !1,\n //A tag can have attributes without any value\n unpairedTags: []\n};\nS.validate = function(e, t) {\n t = Object.assign({}, Oe, t);\n const r = [];\n let s = !1, n = !1;\n e[0] === \"\\uFEFF\" && (e = e.substr(1));\n for (let i = 0; i < e.length; i++)\n if (e[i] === \"<\" && e[i + 1] === \"?\") {\n if (i += 2, i = G(e, i), i.err)\n return i;\n } else if (e[i] === \"<\") {\n let d = i;\n if (i++, e[i] === \"!\") {\n i = z(e, i);\n continue;\n } else {\n let u = !1;\n e[i] === \"/\" && (u = !0, i++);\n let o = \"\";\n for (; i < e.length && e[i] !== \">\" && e[i] !== \" \" && e[i] !== \"\t\" && e[i] !== `\n` && e[i] !== \"\\r\"; i++)\n o += e[i];\n if (o = o.trim(), o[o.length - 1] === \"/\" && (o = o.substring(0, o.length - 1), i--), !Re(o)) {\n let f;\n return o.trim().length === 0 ? f = \"Invalid space after '<'.\" : f = \"Tag '\" + o + \"' is an invalid name.\", p(\"InvalidTag\", f, w(e, i));\n }\n const a = xe(e, i);\n if (a === !1)\n return p(\"InvalidAttr\", \"Attributes for '\" + o + \"' have open quote.\", w(e, i));\n let l = a.value;\n if (i = a.index, l[l.length - 1] === \"/\") {\n const f = i - l.length;\n l = l.substring(0, l.length - 1);\n const c = H(l, t);\n if (c === !0)\n s = !0;\n else\n return p(c.err.code, c.err.msg, w(e, f + c.err.line));\n } else if (u)\n if (a.tagClosed) {\n if (l.trim().length > 0)\n return p(\"InvalidTag\", \"Closing tag '\" + o + \"' can't have attributes or invalid starting.\", w(e, d));\n {\n const f = r.pop();\n if (o !== f.tagName) {\n let c = w(e, f.tagStartPos);\n return p(\n \"InvalidTag\",\n \"Expected closing tag '\" + f.tagName + \"' (opened in line \" + c.line + \", col \" + c.col + \") instead of closing tag '\" + o + \"'.\",\n w(e, d)\n );\n }\n r.length == 0 && (n = !0);\n }\n } else\n return p(\"InvalidTag\", \"Closing tag '\" + o + \"' doesn't have proper closing.\", w(e, i));\n else {\n const f = H(l, t);\n if (f !== !0)\n return p(f.err.code, f.err.msg, w(e, i - l.length + f.err.line));\n if (n === !0)\n return p(\"InvalidXml\", \"Multiple possible root nodes found.\", w(e, i));\n t.unpairedTags.indexOf(o) !== -1 || r.push({ tagName: o, tagStartPos: d }), s = !0;\n }\n for (i++; i < e.length; i++)\n if (e[i] === \"<\")\n if (e[i + 1] === \"!\") {\n i++, i = z(e, i);\n continue;\n } else if (e[i + 1] === \"?\") {\n if (i = G(e, ++i), i.err)\n return i;\n } else\n break;\n else if (e[i] === \"&\") {\n const f = Ve(e, i);\n if (f == -1)\n return p(\"InvalidChar\", \"char '&' is not expected.\", w(e, i));\n i = f;\n } else if (n === !0 && !U(e[i]))\n return p(\"InvalidXml\", \"Extra text at the end\", w(e, i));\n e[i] === \"<\" && i--;\n }\n } else {\n if (U(e[i]))\n continue;\n return p(\"InvalidChar\", \"char '\" + e[i] + \"' is not expected.\", w(e, i));\n }\n if (s) {\n if (r.length == 1)\n return p(\"InvalidTag\", \"Unclosed tag '\" + r[0].tagName + \"'.\", w(e, r[0].tagStartPos));\n if (r.length > 0)\n return p(\"InvalidXml\", \"Invalid '\" + JSON.stringify(r.map((i) => i.tagName), null, 4).replace(/\\r?\\n/g, \"\") + \"' found.\", { line: 1, col: 1 });\n } else\n return p(\"InvalidXml\", \"Start tag expected.\", 1);\n return !0;\n};\nfunction U(e) {\n return e === \" \" || e === \"\t\" || e === `\n` || e === \"\\r\";\n}\nfunction G(e, t) {\n const r = t;\n for (; t < e.length; t++)\n if (e[t] == \"?\" || e[t] == \" \") {\n const s = e.substr(r, t - r);\n if (t > 5 && s === \"xml\")\n return p(\"InvalidXml\", \"XML declaration allowed only at the start of the document.\", w(e, t));\n if (e[t] == \"?\" && e[t + 1] == \">\") {\n t++;\n break;\n } else\n continue;\n }\n return t;\n}\nfunction z(e, t) {\n if (e.length > t + 5 && e[t + 1] === \"-\" && e[t + 2] === \"-\") {\n for (t += 3; t < e.length; t++)\n if (e[t] === \"-\" && e[t + 1] === \"-\" && e[t + 2] === \">\") {\n t += 2;\n break;\n }\n } else if (e.length > t + 8 && e[t + 1] === \"D\" && e[t + 2] === \"O\" && e[t + 3] === \"C\" && e[t + 4] === \"T\" && e[t + 5] === \"Y\" && e[t + 6] === \"P\" && e[t + 7] === \"E\") {\n let r = 1;\n for (t += 8; t < e.length; t++)\n if (e[t] === \"<\")\n r++;\n else if (e[t] === \">\" && (r--, r === 0))\n break;\n } else if (e.length > t + 9 && e[t + 1] === \"[\" && e[t + 2] === \"C\" && e[t + 3] === \"D\" && e[t + 4] === \"A\" && e[t + 5] === \"T\" && e[t + 6] === \"A\" && e[t + 7] === \"[\") {\n for (t += 8; t < e.length; t++)\n if (e[t] === \"]\" && e[t + 1] === \"]\" && e[t + 2] === \">\") {\n t += 2;\n break;\n }\n }\n return t;\n}\nconst Ce = '\"', Pe = \"'\";\nfunction xe(e, t) {\n let r = \"\", s = \"\", n = !1;\n for (; t < e.length; t++) {\n if (e[t] === Ce || e[t] === Pe)\n s === \"\" ? s = e[t] : s !== e[t] || (s = \"\");\n else if (e[t] === \">\" && s === \"\") {\n n = !0;\n break;\n }\n r += e[t];\n }\n return s !== \"\" ? !1 : {\n value: r,\n index: t,\n tagClosed: n\n };\n}\nconst $e = new RegExp(`(\\\\s*)([^\\\\s=]+)(\\\\s*=)?(\\\\s*(['\"])(([\\\\s\\\\S])*?)\\\\5)?`, \"g\");\nfunction H(e, t) {\n const r = M.getAllMatches(e, $e), s = {};\n for (let n = 0; n < r.length; n++) {\n if (r[n][1].length === 0)\n return p(\"InvalidAttr\", \"Attribute '\" + r[n][2] + \"' has no space in starting.\", v(r[n]));\n if (r[n][3] !== void 0 && r[n][4] === void 0)\n return p(\"InvalidAttr\", \"Attribute '\" + r[n][2] + \"' is without value.\", v(r[n]));\n if (r[n][3] === void 0 && !t.allowBooleanAttributes)\n return p(\"InvalidAttr\", \"boolean attribute '\" + r[n][2] + \"' is not allowed.\", v(r[n]));\n const i = r[n][2];\n if (!Le(i))\n return p(\"InvalidAttr\", \"Attribute '\" + i + \"' is an invalid name.\", v(r[n]));\n if (!s.hasOwnProperty(i))\n s[i] = 1;\n else\n return p(\"InvalidAttr\", \"Attribute '\" + i + \"' is repeated.\", v(r[n]));\n }\n return !0;\n}\nfunction Fe(e, t) {\n let r = /\\d/;\n for (e[t] === \"x\" && (t++, r = /[\\da-fA-F]/); t < e.length; t++) {\n if (e[t] === \";\")\n return t;\n if (!e[t].match(r))\n break;\n }\n return -1;\n}\nfunction Ve(e, t) {\n if (t++, e[t] === \";\")\n return -1;\n if (e[t] === \"#\")\n return t++, Fe(e, t);\n let r = 0;\n for (; t < e.length; t++, r++)\n if (!(e[t].match(/\\w/) && r < 20)) {\n if (e[t] === \";\")\n break;\n return -1;\n }\n return t;\n}\nfunction p(e, t, r) {\n return {\n err: {\n code: e,\n msg: t,\n line: r.line || r,\n col: r.col\n }\n };\n}\nfunction Le(e) {\n return M.isName(e);\n}\nfunction Re(e) {\n return M.isName(e);\n}\nfunction w(e, t) {\n const r = e.substring(0, t).split(/\\r?\\n/);\n return {\n line: r.length,\n // column number is last line's length + 1, because column numbering starts at 1:\n col: r[r.length - 1].length + 1\n };\n}\nfunction v(e) {\n return e.startIndex + e[1].length;\n}\nvar k = {};\nconst re = {\n preserveOrder: !1,\n attributeNamePrefix: \"@_\",\n attributesGroupName: !1,\n textNodeName: \"#text\",\n ignoreAttributes: !0,\n removeNSPrefix: !1,\n // remove NS from tag name or attribute name if true\n allowBooleanAttributes: !1,\n //a tag can have attributes without any value\n //ignoreRootElement : false,\n parseTagValue: !0,\n parseAttributeValue: !1,\n trimValues: !0,\n //Trim string values of tag and attributes\n cdataPropName: !1,\n numberParseOptions: {\n hex: !0,\n leadingZeros: !0,\n eNotation: !0\n },\n tagValueProcessor: function(e, t) {\n return t;\n },\n attributeValueProcessor: function(e, t) {\n return t;\n },\n stopNodes: [],\n //nested tags will not be parsed even for errors\n alwaysCreateTextNode: !1,\n isArray: () => !1,\n commentPropName: !1,\n unpairedTags: [],\n processEntities: !0,\n htmlEntities: !1,\n ignoreDeclaration: !1,\n ignorePiTags: !1,\n transformTagName: !1,\n transformAttributeName: !1,\n updateTag: function(e, t, r) {\n return e;\n }\n // skipEmptyListItem: false\n}, Se = function(e) {\n return Object.assign({}, re, e);\n};\nk.buildOptions = Se;\nk.defaultOptions = re;\nclass Me {\n constructor(t) {\n this.tagname = t, this.child = [], this[\":@\"] = {};\n }\n add(t, r) {\n t === \"__proto__\" && (t = \"#__proto__\"), this.child.push({ [t]: r });\n }\n addChild(t) {\n t.tagname === \"__proto__\" && (t.tagname = \"#__proto__\"), t[\":@\"] && Object.keys(t[\":@\"]).length > 0 ? this.child.push({ [t.tagname]: t.child, \":@\": t[\":@\"] }) : this.child.push({ [t.tagname]: t.child });\n }\n}\nvar ke = Me;\nconst Be = O;\nfunction qe(e, t) {\n const r = {};\n if (e[t + 3] === \"O\" && e[t + 4] === \"C\" && e[t + 5] === \"T\" && e[t + 6] === \"Y\" && e[t + 7] === \"P\" && e[t + 8] === \"E\") {\n t = t + 9;\n let s = 1, n = !1, i = !1, d = \"\";\n for (; t < e.length; t++)\n if (e[t] === \"<\" && !i) {\n if (n && Ge(e, t))\n t += 7, [entityName, val, t] = Xe(e, t + 1), val.indexOf(\"&\") === -1 && (r[We(entityName)] = {\n regx: RegExp(`&${entityName};`, \"g\"),\n val\n });\n else if (n && ze(e, t))\n t += 8;\n else if (n && He(e, t))\n t += 8;\n else if (n && Ke(e, t))\n t += 9;\n else if (Ue)\n i = !0;\n else\n throw new Error(\"Invalid DOCTYPE\");\n s++, d = \"\";\n } else if (e[t] === \">\") {\n if (i ? e[t - 1] === \"-\" && e[t - 2] === \"-\" && (i = !1, s--) : s--, s === 0)\n break;\n } else\n e[t] === \"[\" ? n = !0 : d += e[t];\n if (s !== 0)\n throw new Error(\"Unclosed DOCTYPE\");\n } else\n throw new Error(\"Invalid Tag instead of DOCTYPE\");\n return { entities: r, i: t };\n}\nfunction Xe(e, t) {\n let r = \"\";\n for (; t < e.length && e[t] !== \"'\" && e[t] !== '\"'; t++)\n r += e[t];\n if (r = r.trim(), r.indexOf(\" \") !== -1)\n throw new Error(\"External entites are not supported\");\n const s = e[t++];\n let n = \"\";\n for (; t < e.length && e[t] !== s; t++)\n n += e[t];\n return [r, n, t];\n}\nfunction Ue(e, t) {\n return e[t + 1] === \"!\" && e[t + 2] === \"-\" && e[t + 3] === \"-\";\n}\nfunction Ge(e, t) {\n return e[t + 1] === \"!\" && e[t + 2] === \"E\" && e[t + 3] === \"N\" && e[t + 4] === \"T\" && e[t + 5] === \"I\" && e[t + 6] === \"T\" && e[t + 7] === \"Y\";\n}\nfunction ze(e, t) {\n return e[t + 1] === \"!\" && e[t + 2] === \"E\" && e[t + 3] === \"L\" && e[t + 4] === \"E\" && e[t + 5] === \"M\" && e[t + 6] === \"E\" && e[t + 7] === \"N\" && e[t + 8] === \"T\";\n}\nfunction He(e, t) {\n return e[t + 1] === \"!\" && e[t + 2] === \"A\" && e[t + 3] === \"T\" && e[t + 4] === \"T\" && e[t + 5] === \"L\" && e[t + 6] === \"I\" && e[t + 7] === \"S\" && e[t + 8] === \"T\";\n}\nfunction Ke(e, t) {\n return e[t + 1] === \"!\" && e[t + 2] === \"N\" && e[t + 3] === \"O\" && e[t + 4] === \"T\" && e[t + 5] === \"A\" && e[t + 6] === \"T\" && e[t + 7] === \"I\" && e[t + 8] === \"O\" && e[t + 9] === \"N\";\n}\nfunction We(e) {\n if (Be.isName(e))\n return e;\n throw new Error(`Invalid entity name ${e}`);\n}\nvar Ze = qe;\nconst je = /^[-+]?0x[a-fA-F0-9]+$/, Ye = /^([\\-\\+])?(0*)(\\.[0-9]+([eE]\\-?[0-9]+)?|[0-9]+(\\.[0-9]+([eE]\\-?[0-9]+)?)?)$/;\n!Number.parseInt && window.parseInt && (Number.parseInt = window.parseInt);\n!Number.parseFloat && window.parseFloat && (Number.parseFloat = window.parseFloat);\nconst Je = {\n hex: !0,\n leadingZeros: !0,\n decimalPoint: \".\",\n eNotation: !0\n //skipLike: /regex/\n};\nfunction Qe(e, t = {}) {\n if (t = Object.assign({}, Je, t), !e || typeof e != \"string\")\n return e;\n let r = e.trim();\n if (t.skipLike !== void 0 && t.skipLike.test(r))\n return e;\n if (t.hex && je.test(r))\n return Number.parseInt(r, 16);\n {\n const s = Ye.exec(r);\n if (s) {\n const n = s[1], i = s[2];\n let d = De(s[3]);\n const u = s[4] || s[6];\n if (!t.leadingZeros && i.length > 0 && n && r[2] !== \".\")\n return e;\n if (!t.leadingZeros && i.length > 0 && !n && r[1] !== \".\")\n return e;\n {\n const o = Number(r), a = \"\" + o;\n return a.search(/[eE]/) !== -1 || u ? t.eNotation ? o : e : r.indexOf(\".\") !== -1 ? a === \"0\" && d === \"\" || a === d || n && a === \"-\" + d ? o : e : i ? d === a || n + d === a ? o : e : r === a || r === n + a ? o : e;\n }\n } else\n return e;\n }\n}\nfunction De(e) {\n return e && e.indexOf(\".\") !== -1 && (e = e.replace(/0+$/, \"\"), e === \".\" ? e = \"0\" : e[0] === \".\" ? e = \"0\" + e : e[e.length - 1] === \".\" && (e = e.substr(0, e.length - 1))), e;\n}\nvar et = Qe;\nconst B = O, T = ke, tt = Ze, rt = et;\n\"<((!\\\\[CDATA\\\\[([\\\\s\\\\S]*?)(]]>))|((NAME:)?(NAME))([^>]*)>|((\\\\/)(NAME)\\\\s*>))([^<]*)\".replace(/NAME/g, B.nameRegexp);\nlet nt = class {\n constructor(t) {\n this.options = t, this.currentNode = null, this.tagsNodeStack = [], this.docTypeEntities = {}, this.lastEntities = {\n apos: { regex: /&(apos|#39|#x27);/g, val: \"'\" },\n gt: { regex: /&(gt|#62|#x3E);/g, val: \">\" },\n lt: { regex: /&(lt|#60|#x3C);/g, val: \"<\" },\n quot: { regex: /&(quot|#34|#x22);/g, val: '\"' }\n }, this.ampEntity = { regex: /&(amp|#38|#x26);/g, val: \"&\" }, this.htmlEntities = {\n space: { regex: /&(nbsp|#160);/g, val: \" \" },\n // \"lt\" : { regex: /&(lt|#60);/g, val: \"<\" },\n // \"gt\" : { regex: /&(gt|#62);/g, val: \">\" },\n // \"amp\" : { regex: /&(amp|#38);/g, val: \"&\" },\n // \"quot\" : { regex: /&(quot|#34);/g, val: \"\\\"\" },\n // \"apos\" : { regex: /&(apos|#39);/g, val: \"'\" },\n cent: { regex: /&(cent|#162);/g, val: \"¢\" },\n pound: { regex: /&(pound|#163);/g, val: \"£\" },\n yen: { regex: /&(yen|#165);/g, val: \"¥\" },\n euro: { regex: /&(euro|#8364);/g, val: \"€\" },\n copyright: { regex: /&(copy|#169);/g, val: \"©\" },\n reg: { regex: /&(reg|#174);/g, val: \"®\" },\n inr: { regex: /&(inr|#8377);/g, val: \"₹\" }\n }, this.addExternalEntities = it, this.parseXml = at, this.parseTextData = st, this.resolveNameSpace = ot, this.buildAttributesMap = dt, this.isItStopNode = ht, this.replaceEntitiesValue = ft, this.readStopNodeData = gt, this.saveTextToParentTag = ct, this.addChild = lt;\n }\n};\nfunction it(e) {\n const t = Object.keys(e);\n for (let r = 0; r < t.length; r++) {\n const s = t[r];\n this.lastEntities[s] = {\n regex: new RegExp(\"&\" + s + \";\", \"g\"),\n val: e[s]\n };\n }\n}\nfunction st(e, t, r, s, n, i, d) {\n if (e !== void 0 && (this.options.trimValues && !s && (e = e.trim()), e.length > 0)) {\n d || (e = this.replaceEntitiesValue(e));\n const u = this.options.tagValueProcessor(t, e, r, n, i);\n return u == null ? e : typeof u != typeof e || u !== e ? u : this.options.trimValues ? $(e, this.options.parseTagValue, this.options.numberParseOptions) : e.trim() === e ? $(e, this.options.parseTagValue, this.options.numberParseOptions) : e;\n }\n}\nfunction ot(e) {\n if (this.options.removeNSPrefix) {\n const t = e.split(\":\"), r = e.charAt(0) === \"/\" ? \"/\" : \"\";\n if (t[0] === \"xmlns\")\n return \"\";\n t.length === 2 && (e = r + t[1]);\n }\n return e;\n}\nconst ut = new RegExp(`([^\\\\s=]+)\\\\s*(=\\\\s*(['\"])([\\\\s\\\\S]*?)\\\\3)?`, \"gm\");\nfunction dt(e, t, r) {\n if (!this.options.ignoreAttributes && typeof e == \"string\") {\n const s = B.getAllMatches(e, ut), n = s.length, i = {};\n for (let d = 0; d < n; d++) {\n const u = this.resolveNameSpace(s[d][1]);\n let o = s[d][4], a = this.options.attributeNamePrefix + u;\n if (u.length)\n if (this.options.transformAttributeName && (a = this.options.transformAttributeName(a)), a === \"__proto__\" && (a = \"#__proto__\"), o !== void 0) {\n this.options.trimValues && (o = o.trim()), o = this.replaceEntitiesValue(o);\n const l = this.options.attributeValueProcessor(u, o, t);\n l == null ? i[a] = o : typeof l != typeof o || l !== o ? i[a] = l : i[a] = $(\n o,\n this.options.parseAttributeValue,\n this.options.numberParseOptions\n );\n } else\n this.options.allowBooleanAttributes && (i[a] = !0);\n }\n if (!Object.keys(i).length)\n return;\n if (this.options.attributesGroupName) {\n const d = {};\n return d[this.options.attributesGroupName] = i, d;\n }\n return i;\n }\n}\nconst at = function(e) {\n e = e.replace(/\\r\\n?/g, `\n`);\n const t = new T(\"!xml\");\n let r = t, s = \"\", n = \"\";\n for (let i = 0; i < e.length; i++)\n if (e[i] === \"<\")\n if (e[i + 1] === \"/\") {\n const u = y(e, \">\", i, \"Closing Tag is not closed.\");\n let o = e.substring(i + 2, u).trim();\n if (this.options.removeNSPrefix) {\n const f = o.indexOf(\":\");\n f !== -1 && (o = o.substr(f + 1));\n }\n this.options.transformTagName && (o = this.options.transformTagName(o)), r && (s = this.saveTextToParentTag(s, r, n));\n const a = n.substring(n.lastIndexOf(\".\") + 1);\n if (o && this.options.unpairedTags.indexOf(o) !== -1)\n throw new Error(`Unpaired tag can not be used as closing tag: `);\n let l = 0;\n a && this.options.unpairedTags.indexOf(a) !== -1 ? (l = n.lastIndexOf(\".\", n.lastIndexOf(\".\") - 1), this.tagsNodeStack.pop()) : l = n.lastIndexOf(\".\"), n = n.substring(0, l), r = this.tagsNodeStack.pop(), s = \"\", i = u;\n } else if (e[i + 1] === \"?\") {\n let u = x(e, i, !1, \"?>\");\n if (!u)\n throw new Error(\"Pi Tag is not closed.\");\n if (s = this.saveTextToParentTag(s, r, n), !(this.options.ignoreDeclaration && u.tagName === \"?xml\" || this.options.ignorePiTags)) {\n const o = new T(u.tagName);\n o.add(this.options.textNodeName, \"\"), u.tagName !== u.tagExp && u.attrExpPresent && (o[\":@\"] = this.buildAttributesMap(u.tagExp, n, u.tagName)), this.addChild(r, o, n);\n }\n i = u.closeIndex + 1;\n } else if (e.substr(i + 1, 3) === \"!--\") {\n const u = y(e, \"-->\", i + 4, \"Comment is not closed.\");\n if (this.options.commentPropName) {\n const o = e.substring(i + 4, u - 2);\n s = this.saveTextToParentTag(s, r, n), r.add(this.options.commentPropName, [{ [this.options.textNodeName]: o }]);\n }\n i = u;\n } else if (e.substr(i + 1, 2) === \"!D\") {\n const u = tt(e, i);\n this.docTypeEntities = u.entities, i = u.i;\n } else if (e.substr(i + 1, 2) === \"![\") {\n const u = y(e, \"]]>\", i, \"CDATA is not closed.\") - 2, o = e.substring(i + 9, u);\n if (s = this.saveTextToParentTag(s, r, n), this.options.cdataPropName)\n r.add(this.options.cdataPropName, [{ [this.options.textNodeName]: o }]);\n else {\n let a = this.parseTextData(o, r.tagname, n, !0, !1, !0);\n a == null && (a = \"\"), r.add(this.options.textNodeName, a);\n }\n i = u + 2;\n } else {\n let u = x(e, i, this.options.removeNSPrefix), o = u.tagName;\n const a = u.rawTagName;\n let l = u.tagExp, f = u.attrExpPresent, c = u.closeIndex;\n this.options.transformTagName && (o = this.options.transformTagName(o)), r && s && r.tagname !== \"!xml\" && (s = this.saveTextToParentTag(s, r, n, !1));\n const g = r;\n if (g && this.options.unpairedTags.indexOf(g.tagname) !== -1 && (r = this.tagsNodeStack.pop(), n = n.substring(0, n.lastIndexOf(\".\"))), o !== t.tagname && (n += n ? \".\" + o : o), this.isItStopNode(this.options.stopNodes, n, o)) {\n let h = \"\";\n if (l.length > 0 && l.lastIndexOf(\"/\") === l.length - 1)\n i = u.closeIndex;\n else if (this.options.unpairedTags.indexOf(o) !== -1)\n i = u.closeIndex;\n else {\n const E = this.readStopNodeData(e, a, c + 1);\n if (!E)\n throw new Error(`Unexpected end of ${a}`);\n i = E.i, h = E.tagContent;\n }\n const _ = new T(o);\n o !== l && f && (_[\":@\"] = this.buildAttributesMap(l, n, o)), h && (h = this.parseTextData(h, o, n, !0, f, !0, !0)), n = n.substr(0, n.lastIndexOf(\".\")), _.add(this.options.textNodeName, h), this.addChild(r, _, n);\n } else {\n if (l.length > 0 && l.lastIndexOf(\"/\") === l.length - 1) {\n o[o.length - 1] === \"/\" ? (o = o.substr(0, o.length - 1), n = n.substr(0, n.length - 1), l = o) : l = l.substr(0, l.length - 1), this.options.transformTagName && (o = this.options.transformTagName(o));\n const h = new T(o);\n o !== l && f && (h[\":@\"] = this.buildAttributesMap(l, n, o)), this.addChild(r, h, n), n = n.substr(0, n.lastIndexOf(\".\"));\n } else {\n const h = new T(o);\n this.tagsNodeStack.push(r), o !== l && f && (h[\":@\"] = this.buildAttributesMap(l, n, o)), this.addChild(r, h, n), r = h;\n }\n s = \"\", i = c;\n }\n }\n else\n s += e[i];\n return t.child;\n};\nfunction lt(e, t, r) {\n const s = this.options.updateTag(t.tagname, r, t[\":@\"]);\n s === !1 || (typeof s == \"string\" && (t.tagname = s), e.addChild(t));\n}\nconst ft = function(e) {\n if (this.options.processEntities) {\n for (let t in this.docTypeEntities) {\n const r = this.docTypeEntities[t];\n e = e.replace(r.regx, r.val);\n }\n for (let t in this.lastEntities) {\n const r = this.lastEntities[t];\n e = e.replace(r.regex, r.val);\n }\n if (this.options.htmlEntities)\n for (let t in this.htmlEntities) {\n const r = this.htmlEntities[t];\n e = e.replace(r.regex, r.val);\n }\n e = e.replace(this.ampEntity.regex, this.ampEntity.val);\n }\n return e;\n};\nfunction ct(e, t, r, s) {\n return e && (s === void 0 && (s = Object.keys(t.child).length === 0), e = this.parseTextData(\n e,\n t.tagname,\n r,\n !1,\n t[\":@\"] ? Object.keys(t[\":@\"]).length !== 0 : !1,\n s\n ), e !== void 0 && e !== \"\" && t.add(this.options.textNodeName, e), e = \"\"), e;\n}\nfunction ht(e, t, r) {\n const s = \"*.\" + r;\n for (const n in e) {\n const i = e[n];\n if (s === i || t === i)\n return !0;\n }\n return !1;\n}\nfunction pt(e, t, r = \">\") {\n let s, n = \"\";\n for (let i = t; i < e.length; i++) {\n let d = e[i];\n if (s)\n d === s && (s = \"\");\n else if (d === '\"' || d === \"'\")\n s = d;\n else if (d === r[0])\n if (r[1]) {\n if (e[i + 1] === r[1])\n return {\n data: n,\n index: i\n };\n } else\n return {\n data: n,\n index: i\n };\n else\n d === \"\t\" && (d = \" \");\n n += d;\n }\n}\nfunction y(e, t, r, s) {\n const n = e.indexOf(t, r);\n if (n === -1)\n throw new Error(s);\n return n + t.length - 1;\n}\nfunction x(e, t, r, s = \">\") {\n const n = pt(e, t + 1, s);\n if (!n)\n return;\n let i = n.data;\n const d = n.index, u = i.search(/\\s/);\n let o = i, a = !0;\n u !== -1 && (o = i.substr(0, u).replace(/\\s\\s*$/, \"\"), i = i.substr(u + 1));\n const l = o;\n if (r) {\n const f = o.indexOf(\":\");\n f !== -1 && (o = o.substr(f + 1), a = o !== n.data.substr(f + 1));\n }\n return {\n tagName: o,\n tagExp: i,\n closeIndex: d,\n attrExpPresent: a,\n rawTagName: l\n };\n}\nfunction gt(e, t, r) {\n const s = r;\n let n = 1;\n for (; r < e.length; r++)\n if (e[r] === \"<\")\n if (e[r + 1] === \"/\") {\n const i = y(e, \">\", r, `${t} is not closed`);\n if (e.substring(r + 2, i).trim() === t && (n--, n === 0))\n return {\n tagContent: e.substring(s, r),\n i\n };\n r = i;\n } else if (e[r + 1] === \"?\")\n r = y(e, \"?>\", r + 1, \"StopNode is not closed.\");\n else if (e.substr(r + 1, 3) === \"!--\")\n r = y(e, \"-->\", r + 3, \"StopNode is not closed.\");\n else if (e.substr(r + 1, 2) === \"![\")\n r = y(e, \"]]>\", r, \"StopNode is not closed.\") - 2;\n else {\n const i = x(e, r, \">\");\n i && ((i && i.tagName) === t && i.tagExp[i.tagExp.length - 1] !== \"/\" && n++, r = i.closeIndex);\n }\n}\nfunction $(e, t, r) {\n if (t && typeof e == \"string\") {\n const s = e.trim();\n return s === \"true\" ? !0 : s === \"false\" ? !1 : rt(e, r);\n } else\n return B.isExist(e) ? e : \"\";\n}\nvar wt = nt, ne = {};\nfunction mt(e, t) {\n return ie(e, t);\n}\nfunction ie(e, t, r) {\n let s;\n const n = {};\n for (let i = 0; i < e.length; i++) {\n const d = e[i], u = Nt(d);\n let o = \"\";\n if (r === void 0 ? o = u : o = r + \".\" + u, u === t.textNodeName)\n s === void 0 ? s = d[u] : s += \"\" + d[u];\n else {\n if (u === void 0)\n continue;\n if (d[u]) {\n let a = ie(d[u], t, o);\n const l = bt(a, t);\n d[\":@\"] ? Et(a, d[\":@\"], o, t) : Object.keys(a).length === 1 && a[t.textNodeName] !== void 0 && !t.alwaysCreateTextNode ? a = a[t.textNodeName] : Object.keys(a).length === 0 && (t.alwaysCreateTextNode ? a[t.textNodeName] = \"\" : a = \"\"), n[u] !== void 0 && n.hasOwnProperty(u) ? (Array.isArray(n[u]) || (n[u] = [n[u]]), n[u].push(a)) : t.isArray(u, o, l) ? n[u] = [a] : n[u] = a;\n }\n }\n }\n return typeof s == \"string\" ? s.length > 0 && (n[t.textNodeName] = s) : s !== void 0 && (n[t.textNodeName] = s), n;\n}\nfunction Nt(e) {\n const t = Object.keys(e);\n for (let r = 0; r < t.length; r++) {\n const s = t[r];\n if (s !== \":@\")\n return s;\n }\n}\nfunction Et(e, t, r, s) {\n if (t) {\n const n = Object.keys(t), i = n.length;\n for (let d = 0; d < i; d++) {\n const u = n[d];\n s.isArray(u, r + \".\" + u, !0, !0) ? e[u] = [t[u]] : e[u] = t[u];\n }\n }\n}\nfunction bt(e, t) {\n const { textNodeName: r } = t, s = Object.keys(e).length;\n return !!(s === 0 || s === 1 && (e[r] || typeof e[r] == \"boolean\" || e[r] === 0));\n}\nne.prettify = mt;\nconst { buildOptions: yt } = k, _t = wt, { prettify: vt } = ne, Tt = S;\nlet It = class {\n constructor(t) {\n this.externalEntities = {}, this.options = yt(t);\n }\n /**\n * Parse XML dats to JS object \n * @param {string|Buffer} xmlData \n * @param {boolean|Object} validationOption \n */\n parse(t, r) {\n if (typeof t != \"string\")\n if (t.toString)\n t = t.toString();\n else\n throw new Error(\"XML data is accepted in String or Bytes[] form.\");\n if (r) {\n r === !0 && (r = {});\n const i = Tt.validate(t, r);\n if (i !== !0)\n throw Error(`${i.err.msg}:${i.err.line}:${i.err.col}`);\n }\n const s = new _t(this.options);\n s.addExternalEntities(this.externalEntities);\n const n = s.parseXml(t);\n return this.options.preserveOrder || n === void 0 ? n : vt(n, this.options);\n }\n /**\n * Add Entity which is not by default supported by this library\n * @param {string} key \n * @param {string} value \n */\n addEntity(t, r) {\n if (r.indexOf(\"&\") !== -1)\n throw new Error(\"Entity value can't have '&'\");\n if (t.indexOf(\"&\") !== -1 || t.indexOf(\";\") !== -1)\n throw new Error(\"An entity must be set without '&' and ';'. Eg. use '#xD' for ' '\");\n if (r === \"&\")\n throw new Error(\"An entity with value '&' is not permitted\");\n this.externalEntities[t] = r;\n }\n};\nvar At = It;\nconst Ot = `\n`;\nfunction Ct(e, t) {\n let r = \"\";\n return t.format && t.indentBy.length > 0 && (r = Ot), se(e, t, \"\", r);\n}\nfunction se(e, t, r, s) {\n let n = \"\", i = !1;\n for (let d = 0; d < e.length; d++) {\n const u = e[d], o = Pt(u);\n if (o === void 0)\n continue;\n let a = \"\";\n if (r.length === 0 ? a = o : a = `${r}.${o}`, o === t.textNodeName) {\n let h = u[o];\n xt(a, t) || (h = t.tagValueProcessor(o, h), h = oe(h, t)), i && (n += s), n += h, i = !1;\n continue;\n } else if (o === t.cdataPropName) {\n i && (n += s), n += ``, i = !1;\n continue;\n } else if (o === t.commentPropName) {\n n += s + ``, i = !0;\n continue;\n } else if (o[0] === \"?\") {\n const h = K(u[\":@\"], t), _ = o === \"?xml\" ? \"\" : s;\n let E = u[o][0][t.textNodeName];\n E = E.length !== 0 ? \" \" + E : \"\", n += _ + `<${o}${E}${h}?>`, i = !0;\n continue;\n }\n let l = s;\n l !== \"\" && (l += t.indentBy);\n const f = K(u[\":@\"], t), c = s + `<${o}${f}`, g = se(u[o], t, a, l);\n t.unpairedTags.indexOf(o) !== -1 ? t.suppressUnpairedNode ? n += c + \">\" : n += c + \"/>\" : (!g || g.length === 0) && t.suppressEmptyNode ? n += c + \"/>\" : g && g.endsWith(\">\") ? n += c + `>${g}${s}` : (n += c + \">\", g && s !== \"\" && (g.includes(\"/>\") || g.includes(\"`), i = !0;\n }\n return n;\n}\nfunction Pt(e) {\n const t = Object.keys(e);\n for (let r = 0; r < t.length; r++) {\n const s = t[r];\n if (e.hasOwnProperty(s) && s !== \":@\")\n return s;\n }\n}\nfunction K(e, t) {\n let r = \"\";\n if (e && !t.ignoreAttributes)\n for (let s in e) {\n if (!e.hasOwnProperty(s))\n continue;\n let n = t.attributeValueProcessor(s, e[s]);\n n = oe(n, t), n === !0 && t.suppressBooleanAttributes ? r += ` ${s.substr(t.attributeNamePrefix.length)}` : r += ` ${s.substr(t.attributeNamePrefix.length)}=\"${n}\"`;\n }\n return r;\n}\nfunction xt(e, t) {\n e = e.substr(0, e.length - t.textNodeName.length - 1);\n let r = e.substr(e.lastIndexOf(\".\") + 1);\n for (let s in t.stopNodes)\n if (t.stopNodes[s] === e || t.stopNodes[s] === \"*.\" + r)\n return !0;\n return !1;\n}\nfunction oe(e, t) {\n if (e && e.length > 0 && t.processEntities)\n for (let r = 0; r < t.entities.length; r++) {\n const s = t.entities[r];\n e = e.replace(s.regex, s.val);\n }\n return e;\n}\nvar $t = Ct;\nconst Ft = $t, Vt = {\n attributeNamePrefix: \"@_\",\n attributesGroupName: !1,\n textNodeName: \"#text\",\n ignoreAttributes: !0,\n cdataPropName: !1,\n format: !1,\n indentBy: \" \",\n suppressEmptyNode: !1,\n suppressUnpairedNode: !0,\n suppressBooleanAttributes: !0,\n tagValueProcessor: function(e, t) {\n return t;\n },\n attributeValueProcessor: function(e, t) {\n return t;\n },\n preserveOrder: !1,\n commentPropName: !1,\n unpairedTags: [],\n entities: [\n { regex: new RegExp(\"&\", \"g\"), val: \"&\" },\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: !0,\n stopNodes: [],\n // transformTagName: false,\n // transformAttributeName: false,\n oneListGroup: !1\n};\nfunction b(e) {\n this.options = Object.assign({}, Vt, e), this.options.ignoreAttributes || this.options.attributesGroupName ? this.isAttribute = function() {\n return !1;\n } : (this.attrPrefixLen = this.options.attributeNamePrefix.length, this.isAttribute = St), this.processTextOrObjNode = Lt, this.options.format ? (this.indentate = Rt, this.tagEndChar = `>\n`, this.newLine = `\n`) : (this.indentate = function() {\n return \"\";\n }, this.tagEndChar = \">\", this.newLine = \"\");\n}\nb.prototype.build = function(e) {\n return this.options.preserveOrder ? Ft(e, this.options) : (Array.isArray(e) && this.options.arrayNodeName && this.options.arrayNodeName.length > 1 && (e = {\n [this.options.arrayNodeName]: e\n }), this.j2x(e, 0).val);\n};\nb.prototype.j2x = function(e, t) {\n let r = \"\", s = \"\";\n for (let n in e)\n if (Object.prototype.hasOwnProperty.call(e, n))\n if (typeof e[n] > \"u\")\n this.isAttribute(n) && (s += \"\");\n else if (e[n] === null)\n this.isAttribute(n) ? s += \"\" : n[0] === \"?\" ? s += this.indentate(t) + \"<\" + n + \"?\" + this.tagEndChar : s += this.indentate(t) + \"<\" + n + \"/\" + this.tagEndChar;\n else if (e[n] instanceof Date)\n s += this.buildTextValNode(e[n], n, \"\", t);\n else if (typeof e[n] != \"object\") {\n const i = this.isAttribute(n);\n if (i)\n r += this.buildAttrPairStr(i, \"\" + e[n]);\n else if (n === this.options.textNodeName) {\n let d = this.options.tagValueProcessor(n, \"\" + e[n]);\n s += this.replaceEntitiesValue(d);\n } else\n s += this.buildTextValNode(e[n], n, \"\", t);\n } else if (Array.isArray(e[n])) {\n const i = e[n].length;\n let d = \"\";\n for (let u = 0; u < i; u++) {\n const o = e[n][u];\n typeof o > \"u\" || (o === null ? n[0] === \"?\" ? s += this.indentate(t) + \"<\" + n + \"?\" + this.tagEndChar : s += this.indentate(t) + \"<\" + n + \"/\" + this.tagEndChar : typeof o == \"object\" ? this.options.oneListGroup ? d += this.j2x(o, t + 1).val : d += this.processTextOrObjNode(o, n, t) : d += this.buildTextValNode(o, n, \"\", t));\n }\n this.options.oneListGroup && (d = this.buildObjectNode(d, n, \"\", t)), s += d;\n } else if (this.options.attributesGroupName && n === this.options.attributesGroupName) {\n const i = Object.keys(e[n]), d = i.length;\n for (let u = 0; u < d; u++)\n r += this.buildAttrPairStr(i[u], \"\" + e[n][i[u]]);\n } else\n s += this.processTextOrObjNode(e[n], n, t);\n return { attrStr: r, val: s };\n};\nb.prototype.buildAttrPairStr = function(e, t) {\n return t = this.options.attributeValueProcessor(e, \"\" + t), t = this.replaceEntitiesValue(t), this.options.suppressBooleanAttributes && t === \"true\" ? \" \" + e : \" \" + e + '=\"' + t + '\"';\n};\nfunction Lt(e, t, r) {\n const s = this.j2x(e, r + 1);\n return e[this.options.textNodeName] !== void 0 && Object.keys(e).length === 1 ? this.buildTextValNode(e[this.options.textNodeName], t, s.attrStr, r) : this.buildObjectNode(s.val, t, s.attrStr, r);\n}\nb.prototype.buildObjectNode = function(e, t, r, s) {\n if (e === \"\")\n return t[0] === \"?\" ? this.indentate(s) + \"<\" + t + r + \"?\" + this.tagEndChar : this.indentate(s) + \"<\" + t + r + this.closeTag(t) + this.tagEndChar;\n {\n let n = \"\" + e + n : this.options.commentPropName !== !1 && t === this.options.commentPropName && i.length === 0 ? this.indentate(s) + `` + this.newLine : this.indentate(s) + \"<\" + t + r + i + this.tagEndChar + e + this.indentate(s) + n;\n }\n};\nb.prototype.closeTag = function(e) {\n let t = \"\";\n return this.options.unpairedTags.indexOf(e) !== -1 ? this.options.suppressUnpairedNode || (t = \"/\") : this.options.suppressEmptyNode ? t = \"/\" : t = `>` + this.newLine;\n if (this.options.commentPropName !== !1 && t === this.options.commentPropName)\n return this.indentate(s) + `` + this.newLine;\n if (t[0] === \"?\")\n return this.indentate(s) + \"<\" + t + r + \"?\" + this.tagEndChar;\n {\n let n = this.options.tagValueProcessor(t, e);\n return n = this.replaceEntitiesValue(n), n === \"\" ? this.indentate(s) + \"<\" + t + r + this.closeTag(t) + this.tagEndChar : this.indentate(s) + \"<\" + t + r + \">\" + n + \" 0 && this.options.processEntities)\n for (let t = 0; t < this.options.entities.length; t++) {\n const r = this.options.entities[t];\n e = e.replace(r.regex, r.val);\n }\n return e;\n};\nfunction Rt(e) {\n return this.options.indentBy.repeat(e);\n}\nfunction St(e) {\n return e.startsWith(this.options.attributeNamePrefix) && e !== this.options.textNodeName ? e.substr(this.attrPrefixLen) : !1;\n}\nvar Mt = b;\nconst kt = S, Bt = At, qt = Mt;\nvar W = {\n XMLParser: Bt,\n XMLValidator: kt,\n XMLBuilder: qt\n};\nfunction Xt(e) {\n if (typeof e != \"string\")\n throw new TypeError(`Expected a \\`string\\`, got \\`${typeof e}\\``);\n if (e = e.trim(), e.length === 0 || W.XMLValidator.validate(e) !== !0)\n return !1;\n let t;\n const r = new W.XMLParser();\n try {\n t = r.parse(e);\n } catch {\n return !1;\n }\n return !(!t || !(\"svg\" in t));\n}\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ \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 cr {\n _view;\n constructor(t) {\n Ut(t), this._view = t;\n }\n get id() {\n return this._view.id;\n }\n get name() {\n return this._view.name;\n }\n get caption() {\n return this._view.caption;\n }\n get emptyTitle() {\n return this._view.emptyTitle;\n }\n get emptyCaption() {\n return this._view.emptyCaption;\n }\n get getContents() {\n return this._view.getContents;\n }\n get icon() {\n return this._view.icon;\n }\n set icon(t) {\n this._view.icon = t;\n }\n get order() {\n return this._view.order;\n }\n set order(t) {\n this._view.order = t;\n }\n get params() {\n return this._view.params;\n }\n set params(t) {\n this._view.params = t;\n }\n get columns() {\n return this._view.columns;\n }\n get emptyView() {\n return this._view.emptyView;\n }\n get parent() {\n return this._view.parent;\n }\n get sticky() {\n return this._view.sticky;\n }\n get expanded() {\n return this._view.expanded;\n }\n set expanded(t) {\n this._view.expanded = t;\n }\n get defaultSortKey() {\n return this._view.defaultSortKey;\n }\n}\nconst Ut = function(e) {\n if (!e.id || typeof e.id != \"string\")\n throw new Error(\"View id is required and must be a string\");\n if (!e.name || typeof e.name != \"string\")\n throw new Error(\"View name is required and must be a string\");\n if (e.columns && e.columns.length > 0 && (!e.caption || typeof e.caption != \"string\"))\n throw new Error(\"View caption is required for top-level views and must be a string\");\n if (!e.getContents || typeof e.getContents != \"function\")\n throw new Error(\"View getContents is required and must be a function\");\n if (!e.icon || typeof e.icon != \"string\" || !Xt(e.icon))\n throw new Error(\"View icon is required and must be a valid svg string\");\n if (!(\"order\" in e) || typeof e.order != \"number\")\n throw new Error(\"View order is required and must be a number\");\n if (e.columns && e.columns.forEach((t) => {\n if (!(t instanceof Ie))\n throw new Error(\"View columns must be an array of Column. Invalid column found\");\n }), e.emptyView && typeof e.emptyView != \"function\")\n throw new Error(\"View emptyView must be a function\");\n if (e.parent && typeof e.parent != \"string\")\n throw new Error(\"View parent must be a string\");\n if (\"sticky\" in e && typeof e.sticky != \"boolean\")\n throw new Error(\"View sticky must be a boolean\");\n if (\"expanded\" in e && typeof e.expanded != \"boolean\")\n throw new Error(\"View expanded must be a boolean\");\n if (e.defaultSortKey && typeof e.defaultSortKey != \"string\")\n throw new Error(\"View defaultSortKey must be a string\");\n return !0;\n};\n/**\n * @copyright 2019 Christoph Wurst \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 hr = function(e) {\n return F().registerEntry(e);\n}, pr = function(e) {\n return F().unregisterEntry(e);\n}, gr = function(e) {\n return F().getEntries(e).sort((r, s) => r.order !== void 0 && s.order !== void 0 && r.order !== s.order ? r.order - s.order : r.displayName.localeCompare(s.displayName, void 0, { numeric: !0, sensitivity: \"base\" }));\n};\nexport {\n Ie as Column,\n Z as DefaultType,\n ye as File,\n Qt as FileAction,\n R as FileType,\n _e as Folder,\n tr as Header,\n Te as Navigation,\n D as Node,\n Q as NodeStatus,\n N as Permission,\n cr as View,\n hr as addNewFileMenuEntry,\n ur as davGetClient,\n sr as davGetDefaultPropfind,\n Ee as davGetFavoritesReport,\n or as davGetRecentSearch,\n be as davParsePermissions,\n te as davRemoteURL,\n ve as davResultToNode,\n ee as davRootPath,\n Y as defaultDavNamespaces,\n j as defaultDavProperties,\n Yt as formatFileSize,\n L as getDavNameSpaces,\n V as getDavProperties,\n dr as getFavoriteNodes,\n er as getFileActions,\n nr as getFileListHeaders,\n ar as getNavigation,\n gr as getNewFileMenuEntries,\n Jt as parseFileSize,\n ir as registerDavProperty,\n Dt as registerFileAction,\n rr as registerFileListHeaders,\n pr as removeNewFileMenuEntry\n};\n","// 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=\" + {\"1215\":\"dd1ef4c4cc807022e660\",\"5076\":\"15b21454a9691213632e\"}[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 = 9837;","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) 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\t9837: 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, [7874], () => (__webpack_require__(40889)))\n__webpack_exports__ = __webpack_require__.O(__webpack_exports__);\n"],"names":["deferred","inProgress","dataWebpackPrefix","getLoggerBuilder","setApp","detectUser","build","isAllUnshare","nodes","some","node","owner","getCurrentUser","uid","action","FileAction","id","displayName","view","hasUnshareItems","hasDeleteItems","isMixedUnshareAndDelete","t","iconSvgInline","enabled","length","map","permissions","every","permission","Permission","DELETE","exec","axios","delete","encodedSource","emit","error","logger","source","execBatch","dir","Promise","all","this","order","triggerDownload","url","hiddenElement","document","createElement","download","href","click","downloadNodes","secret","Math","random","toString","substring","generateUrl","files","JSON","stringify","basename","isDownloadable","READ","attributes","downloadAttribute","parse","find","attribute","scope","key","undefined","type","FileType","Folder","root","startsWith","async","Array","fill","UPDATE","path","link","generateOcsUrl","result","post","window","location","host","encodePath","data","ocs","token","showError","openLocalClient","shouldFavorite","favorite","favoriteNode","willFavorite","tags","OC","TAG_FAVORITE","dirname","Vue","StarSvg","NONE","options","styleTagTransform","setAttributes","insert","domAPI","insertStyleElement","locals","Axios","AxiosError","CanceledError","isCancel","CancelToken","VERSION","Cancel","isAxiosError","spread","toFormData","AxiosHeaders","HttpStatusCode","formToJSON","getAdapter","mergeConfig","queue","getQueue","PQueue","concurrency","MoveCopyAction","canMove","reduce","min","ALL","canCopy","canDownload","getUniqueName","name","otherNames","suffix","arguments","n","newName","i","includes","ext","extname","getActionForNodes","MOVE_OR_COPY","MOVE","COPY","handleCopyMoveNodeTo","destination","method","overwrite","Error","NodeStatus","LOADING","add","copySuffix","index","client","davGetClient","currentPath","join","davRootPath","destinationPath","target","otherNodes","getDirectoryContents","copyFile","stat","details","davGetDefaultPropfind","davResultToNode","moveFile","response","status","message","debug","openFilePickerForAction","fileIDs","fileid","filter","Boolean","filePicker","getFilePickerBuilder","allowDirectories","setFilter","CREATE","setMimeTypeFilter","setMultiSelect","startAt","resolve","reject","setButtonFactory","_selection","buttons","dirnames","paths","push","label","icon","CopyIconSvg","callback","FolderMoveSvg","pick","catch","e","promises","FolderSvg","isDavRessource","OCP","Files","Router","goToRoute","default","DefaultType","HIDDEN","InformationSvg","OCA","Sidebar","open","File","entry","context","handler","content","contentNames","encodeURIComponent","headers","Overwrite","parseInt","createNewFolder","folder","mtime","Date","showSuccess","WorkerGlobalScope","self","globalThis","fetch","bind","Headers","Request","Response","HOT_PATCHER_TYPE","NOOP","createNewItem","original","methods","final","HotPatcher","constructor","_configuration","registry","getEmptyAction","__type__","configuration","newAction","control","allowTargetOverrides","Object","keys","forEach","foreignKey","hasOwnProperty","assign","execute","args","get","item","_this","shift","apply","sequence","isPatched","patch","opts","chain","patchInline","plugin","restore","setFinal","__patcher","NONCE_CHARS","generateDigestAuthHeader","digest","replace","uri","indexOf","slice","toUpperCase","qop","test","ncString","nc","ha1","algorithm","user","realm","pass","nonce","cnonce","ha1Hash","md5","toLowerCase","ha1Compute","username","password","ha2","digestResponse","authValues","opaque","authHeader","k","obj","prototype","call","getPrototypeOf","proto","isPlainObject","setPrototypeOf","merge","output","items","nextItem","mergeObjects","obj1","obj2","isArray","headerPayloads","headerKeys","header","lowerHeader","hasArrayBuffer","ArrayBuffer","objToString","_request","requestOptions","patcher","body","newHeaders","value","isBuffer","isArrayBuffer","requestDataToFetchBody","signal","withCredentials","credentials","httpAgent","httpsAgent","agent","parsedURL","protocol","getFetchOptions","rootPath","defaultRootUrl","generateRemoteUrl","getClient","rootUrl","createClient","requesttoken","getRequestToken","getPatcher","_digest","hasDigestAuth","Authorization","split","re","match","floor","makeNonce","parseDigestAuth","response2","request","hashCode","str","a","b","charCodeAt","resultToNode","props","davParsePermissions","filename","nodeData","lastmod","mime","size","hasPreview","failed","reportPayload","getDavNameSpaces","getDavProperties","getContents","propfindPayload","rootResponse","contentsResponse","includeSelf","contents","generateFolderView","View","generateIdFromPath","params","parent","columns","lastTwoWeeksTimestamp","round","now","inheritAttrs","String","required","checked","Number","previewUrl","ratio","failedPreview","computed","nameWithoutExt","realPreviewUrl","mimeIcon","getElementById","pathSections","relativePath","section","encodeFilePath","MimeType","getIconUrl","onCheck","$emit","onFailure","_vm","_c","_self","staticClass","attrs","domProps","on","_v","class","_s","extend","components","NcEmptyContent","NcModal","TemplatePreview","loading","opened","provider","extension","emptyTemplate","mimetypes","selectedTemplate","templates","template","style","width","margin","border","fetchedProvider","getTemplates","app","onSubmit","close","currentDirectory","URL","searchParams","warn","fileInfo","filePath","templatePath","templateType","createFromTemplate","normalize","openfile","_setupProxy","$event","preventDefault","stopPropagation","_b","_l","_e","mixin","TemplatePickerRoot","appendChild","loadState","templatesPath","TemplatePicker","TemplatePickerView","propsData","$mount","addNewFileMenuEntry","initTemplatesFolder","removeNewFileMenuEntry","iconClass","directory","copySystemTemplates","template_path","registerFileAction","deleteAction","downloadAction","editLocallyAction","favoriteAction","moveOrCopyAction","openFolderAction","openInFilesAction","renameAction","sidebarAction","viewInFolderAction","newFolderEntry","favoriteFolders","favoriteFoldersViews","Navigation","getNavigation","register","caption","emptyTitle","emptyCaption","subscribe","addPathToFavorites","removePathFromFavorites","updateAndSortViews","sort","localeCompare","getLanguage","ignorePunctuation","findIndex","splice","remove","registerFavoritesView","controller","AbortController","CancelablePromise","onCancel","abort","defaultSortKey","davGetRecentSearch","deep","davRemoteURL","r","navigator","addEventListener","noRewrite","registration","serviceWorker","registerDavProperty","module","exports","_typeof","Symbol","iterator","_exports","_setPrototypeOf","o","p","__proto__","_createSuper","Derived","hasNativeReflectConstruct","Reflect","construct","sham","Proxy","valueOf","_isNativeReflectConstruct","Super","_getPrototypeOf","NewTarget","TypeError","ReferenceError","_assertThisInitialized","_possibleConstructorReturn","_createForOfIteratorHelper","allowArrayLike","it","minLen","_arrayLikeToArray","from","_unsupportedIterableToArray","F","s","done","f","err","normalCompletion","didErr","step","next","_e2","return","arr","len","arr2","_classCallCheck","instance","Constructor","_defineProperties","descriptor","enumerable","configurable","writable","defineProperty","_createClass","protoProps","staticProps","_defineProperty","_classPrivateFieldInitSpec","privateMap","privateCollection","has","_checkPrivateRedeclaration","set","_classPrivateFieldGet","receiver","_classApplyDescriptorGet","_classExtractFieldDescriptor","_classPrivateFieldSet","_classApplyDescriptorSet","cancelable","isCancelablePromise","toStringTag","_internals","WeakMap","_promise","CancelablePromiseInternal","_ref","_ref$executor","executor","_ref$internals","internals","isCanceled","onCancelList","_ref$promise","promise","cancel","onfulfilled","onrejected","makeCancelable","then","createCallback","onfinally","runWhenCanceled","finally","callbacks","_step","_iterator","console","_CancelablePromiseInt","subClass","superClass","create","_inherits","_super","iterable","makeAllCancelable","allSettled","any","race","reason","_default","onResult","arg","_step2","_iterator2","resolvable","___CSS_LOADER_URL_IMPORT_0___","___CSS_LOADER_URL_IMPORT_1___","___CSS_LOADER_EXPORT___","___CSS_LOADER_URL_REPLACEMENT_0___","___CSS_LOADER_URL_REPLACEMENT_1___","http","https","validateParams","cb","Stream","Readable","Writable","Duplex","Transform","PassThrough","finished","pipeline","ClientRequest","statusCodes","defaultProtocol","g","search","hostname","port","req","end","IncomingMessage","Agent","defaultMaxSockets","globalAgent","STATUS_CODES","METHODS","xhr","getXHR","XMLHttpRequest","XDomainRequest","checkTypeSupport","responseType","isFunction","ReadableStream","writableStream","WritableStream","abortController","arraybuffer","msstream","mozchunkedarraybuffer","overrideMimeType","capability","inherits","stream","rStates","readyStates","preferBinary","_opts","_body","_headers","auth","setHeader","Buffer","useFetch","mode","_mode","decideMode","_fetchTimer","_socketTimeout","_socketTimer","_onFinish","lowerName","unsafeHeaders","getHeader","removeHeader","_destroyed","timeout","setTimeout","headersObj","Blob","headersList","keyName","v","_fetchAbortController","requestTimeout","_fetchResponse","_resetTimers","_connect","_xhr","process","nextTick","ontimeout","setRequestHeader","_response","onreadystatechange","readyState","DONE","_onXHRProgress","onprogress","onerror","send","statusValid","_write","chunk","encoding","clearTimeout","destroy","once","flushHeaders","setNoDelay","setSocketKeepAlive","UNSENT","OPENED","HEADERS_RECEIVED","resetTimers","rawHeaders","trailers","rawTrailers","statusCode","statusMessage","statusText","write","_resumeFetch","pipeTo","reader","getReader","read","_pos","responseURL","getAllResponseHeaders","matches","_charset","mimeType","charsetMatch","_read","responseText","newData","substr","buffer","alloc","Uint8Array","MSStreamReader","byteLength","onload","readAsArrayBuffer","m","setUid","Ne","_entries","registerEntry","validateEntry","unregisterEntry","getEntryIndex","entries","getEntries","_nc_newfilemenu","C","P","Yt","log","d","pow","toFixed","parseFloat","toLocaleString","Z","DEFAULT","Qt","_action","validateAction","title","inline","renderInline","values","Dt","_nc_fileactions","N","SHARE","j","Y","oc","ir","_nc_dav_properties","_nc_dav_namespaces","prop","namespaces","V","L","sr","or","be","R","J","X","crtime","Q","NEW","FAILED","LOCKED","D","_data","_attributes","_knownDavService","updateMtime","deleteProperty","origin","pop","pathname","move","rename","ye","super","ee","te","ur","setHeaders","u","dr","ve","getcontentlength","Te","_views","_currentView","views","setActive","active","ar","_nc_navigation","Ie","_column","Ae","render","summary","S","O","RegExp","isExist","isEmptyObject","l","c","getValue","isName","getAllMatches","startIndex","lastIndex","nameRegexp","M","Oe","allowBooleanAttributes","unpairedTags","U","G","w","z","validate","trim","Re","xe","H","code","msg","line","tagClosed","tagName","tagStartPos","col","Ve","Ce","Pe","$e","Le","Fe","preserveOrder","attributeNamePrefix","attributesGroupName","textNodeName","ignoreAttributes","removeNSPrefix","parseTagValue","parseAttributeValue","trimValues","cdataPropName","numberParseOptions","hex","leadingZeros","eNotation","tagValueProcessor","attributeValueProcessor","stopNodes","alwaysCreateTextNode","commentPropName","processEntities","htmlEntities","ignoreDeclaration","ignorePiTags","transformTagName","transformAttributeName","updateTag","buildOptions","defaultOptions","Be","Xe","Ue","Ge","ze","He","Ke","We","je","Ye","Je","decimalPoint","B","T","tagname","child","addChild","tt","entityName","val","regx","entities","rt","skipLike","De","lastEntities","regex","st","replaceEntitiesValue","$","ot","charAt","ut","dt","resolveNameSpace","at","y","saveTextToParentTag","lastIndexOf","tagsNodeStack","x","tagExp","attrExpPresent","buildAttributesMap","closeIndex","docTypeEntities","parseTextData","rawTagName","isItStopNode","h","E","readStopNodeData","tagContent","_","lt","ft","ampEntity","ct","ht","pt","gt","ne","ie","Nt","bt","Et","prettify","yt","_t","currentNode","apos","quot","space","cent","pound","yen","euro","copyright","reg","inr","addExternalEntities","parseXml","vt","Tt","se","Pt","xt","oe","K","indentBy","suppressUnpairedNode","suppressEmptyNode","endsWith","suppressBooleanAttributes","Ft","format","Vt","oneListGroup","isAttribute","attrPrefixLen","St","processTextOrObjNode","Lt","indentate","Rt","tagEndChar","newLine","j2x","buildTextValNode","attrStr","buildObjectNode","repeat","arrayNodeName","buildAttrPairStr","closeTag","W","XMLParser","externalEntities","addEntity","XMLValidator","XMLBuilder","cr","_view","Ut","emptyView","sticky","expanded","Xt","hr","pr","__webpack_module_cache__","__webpack_require__","moduleId","cachedModule","loaded","__webpack_modules__","chunkIds","fn","priority","notFulfilled","Infinity","fulfilled","getter","__esModule","definition","chunkId","Function","script","needAttach","scripts","getElementsByTagName","getAttribute","charset","setAttribute","src","onScriptComplete","prev","event","doneFns","parentNode","removeChild","head","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=b4958c5f9c190c947bda","mappings":";UAAIA,ECAAC,EACAC,4FCsBJ,SAAeC,EAAAA,EAAAA,MACbC,OAAO,SACPC,aACAC,uBCGF,MAAMC,EAAgBC,IACVA,EAAMC,MAAKC,GAAQA,EAAKC,SAAUC,EAAAA,EAAAA,OAAkBC,MAOnDC,EAAS,IAAIC,EAAAA,GAAW,CACjCC,GAAI,SACJC,YAAWA,CAACT,EAAOU,IAPUV,KAC7B,MAAMW,EAAkBX,EAAMC,MAAKC,GAAQA,EAAKC,SAAUC,EAAAA,EAAAA,OAAkBC,MACtEO,EAAiBZ,EAAMC,MAAKC,GAAQA,EAAKC,SAAUC,EAAAA,EAAAA,OAAkBC,MAC3E,OAAOM,GAAmBC,CAAc,EAKhCC,CAAwBb,IACjBc,EAAAA,EAAAA,IAAE,QAAS,sBAElBf,EAAaC,IACNc,EAAAA,EAAAA,IAAE,QAAS,WAEH,aAAZJ,EAAKF,IACNM,EAAAA,EAAAA,IAAE,QAAS,uBACXA,EAAAA,EAAAA,IAAE,QAAS,UAErBC,cAAgBf,GACRD,EAAaC,oZAKrBgB,QAAQhB,GACGA,EAAMiB,OAAS,GAAKjB,EACtBkB,KAAIhB,GAAQA,EAAKiB,cACjBC,OAAMC,GAAmD,IAApCA,EAAaC,EAAAA,GAAWC,UAEtD,UAAMC,CAAKtB,GACP,IAMI,aALMuB,EAAAA,EAAMC,OAAOxB,EAAKyB,gBAIxBC,EAAAA,EAAAA,IAAK,qBAAsB1B,IACpB,CACX,CACA,MAAO2B,GAEH,OADAC,EAAOD,MAAM,8BAA+B,CAAEA,QAAOE,OAAQ7B,EAAK6B,OAAQ7B,UACnE,CACX,CACJ,EACA,eAAM8B,CAAUhC,EAAOU,EAAMuB,GACzB,OAAOC,QAAQC,IAAInC,EAAMkB,KAAIhB,GAAQkC,KAAKZ,KAAKtB,EAAMQ,EAAMuB,KAC/D,EACAI,MAAO,2BCrDLC,EAAkB,SAAUC,GAC9B,MAAMC,EAAgBC,SAASC,cAAc,KAC7CF,EAAcG,SAAW,GACzBH,EAAcI,KAAOL,EACrBC,EAAcK,OAClB,EACMC,EAAgB,SAAUb,EAAKjC,GACjC,MAAM+C,EAASC,KAAKC,SAASC,SAAS,IAAIC,UAAU,GAC9CZ,GAAMa,EAAAA,EAAAA,aAAY,qFAAsF,CAC1GnB,MACAc,SACAM,MAAOC,KAAKC,UAAUvD,EAAMkB,KAAIhB,GAAQA,EAAKsD,cAEjDlB,EAAgBC,EACpB,EACMkB,EAAiB,SAAUvD,GAC7B,GAA6C,IAAxCA,EAAKiB,YAAcG,EAAAA,GAAWoC,MAC/B,OAAO,EAGX,GAAsC,WAAlCxD,EAAKyD,WAAW,cAA4B,CAC5C,MAAMC,EAAoBN,KAAKO,MAAM3D,EAAKyD,WAAW,qBAAqBG,MAAMC,GAAkC,gBAApBA,EAAUC,OAA6C,aAAlBD,EAAUE,MAC7I,QAA0BC,IAAtBN,IAAiE,IAA9BA,EAAkB5C,QACrD,OAAO,CAEf,CACA,OAAO,CACX,EACaV,EAAS,IAAIC,EAAAA,GAAW,CACjCC,GAAI,WACJC,YAAaA,KAAMK,EAAAA,EAAAA,IAAE,QAAS,YAC9BC,cAAeA,iLACfC,QAAQhB,GACiB,IAAjBA,EAAMiB,UAMNjB,EAAMC,MAAKC,GAAQA,EAAKiE,OAASC,EAAAA,GAASC,WACvCrE,EAAMC,MAAKC,IAASA,EAAKoE,MAAMC,WAAW,cAG1CvE,EAAMoB,MAAMqC,GAEvBe,KAAUhD,MAACtB,EAAMQ,EAAMuB,IACf/B,EAAKiE,OAASC,EAAAA,GAASC,QACvBvB,EAAcb,EAAK,CAAC/B,IACb,OAEXoC,EAAgBpC,EAAKyB,eACd,MAEX,eAAMK,CAAUhC,EAAOU,EAAMuB,GACzB,OAAqB,IAAjBjC,EAAMiB,QACNmB,KAAKZ,KAAKxB,EAAM,GAAIU,EAAMuB,GACnB,CAAC,QAEZa,EAAcb,EAAKjC,GACZ,IAAIyE,MAAMzE,EAAMiB,QAAQyD,KAAK,MACxC,EACArC,MAAO,qCC5CE/B,EAAS,IAAIC,EAAAA,GAAW,CACjCC,GAAI,eACJC,YAAaA,KAAMK,EAAAA,EAAAA,IAAE,QAAS,gBAC9BC,cAAeA,mNAEfC,QAAQhB,GAEiB,IAAjBA,EAAMiB,QAG4C,IAA9CjB,EAAM,GAAGmB,YAAcG,EAAAA,GAAWqD,QAE9CH,KAAUhD,MAACtB,IAzBSsE,eAAgBI,GACpC,MAAMC,GAAOC,EAAAA,EAAAA,gBAAe,qBAAuB,+BACnD,IACI,MAAMC,QAAetD,EAAAA,EAAMuD,KAAKH,EAAM,CAAED,SAClCvE,GAAMD,EAAAA,EAAAA,OAAkBC,IAC9B,IAAIkC,EAAO,aAAYlC,KAAS4E,OAAOC,SAASC,MAAOC,EAAAA,EAAAA,IAAWR,GAClErC,GAAO,UAAYwC,EAAOM,KAAKC,IAAID,KAAKE,MACxCN,OAAOC,SAAStC,KAAOL,CAC3B,CACA,MAAOV,IACH2D,EAAAA,EAAAA,KAAU1E,EAAAA,EAAAA,IAAE,QAAS,gCACzB,CACJ,CAcQ2E,CAAgBvF,EAAK0E,MACd,MAEXvC,MAAO,gOC1BLqD,EAAkB1F,GACbA,EAAMC,MAAKC,GAAqC,IAA7BA,EAAKyD,WAAWgC,WAEjCC,EAAepB,MAAOtE,EAAMQ,EAAMmF,KAC3C,IAEI,MAAMtD,GAAMa,EAAAA,EAAAA,aAAY,6BAA8BgC,EAAAA,EAAAA,IAAWlF,EAAK0E,MAqBtE,aApBMnD,EAAAA,EAAMuD,KAAKzC,EAAK,CAClBuD,KAAMD,EACA,CAACZ,OAAOc,GAAGC,cACX,KAKM,cAAZtF,EAAKF,IAAuBqF,GAAiC,MAAjB3F,EAAK+F,UACjDrE,EAAAA,EAAAA,IAAK,qBAAsB1B,GAG/BgG,EAAAA,QAAAA,IAAQhG,EAAKyD,WAAY,WAAYkC,EAAe,EAAI,GAEpDA,GACAjE,EAAAA,EAAAA,IAAK,wBAAyB1B,IAG9B0B,EAAAA,EAAAA,IAAK,0BAA2B1B,IAE7B,CACX,CACA,MAAO2B,GACH,MAAMvB,EAASuF,EAAe,8BAAgC,kCAE9D,OADA/D,EAAOD,MAAM,eAAiBvB,EAAQ,CAAEuB,QAAOE,OAAQ7B,EAAK6B,OAAQ7B,UAC7D,CACX,GAESI,EAAS,IAAIC,EAAAA,GAAW,CACjCC,GAAI,WACJC,YAAYT,GACD0F,EAAe1F,IAChBc,EAAAA,EAAAA,IAAE,QAAS,qBACXA,EAAAA,EAAAA,IAAE,QAAS,yBAErBC,cAAgBf,GACL0F,EAAe1F,0TAEhBmG,EAEVnF,QAAQhB,IAEIA,EAAMC,MAAKC,IAASA,EAAKoE,MAAMC,aAAa,aAC7CvE,EAAMoB,OAAMlB,GAAQA,EAAKiB,cAAgBG,EAAAA,GAAW8E,OAE/D,UAAM5E,CAAKtB,EAAMQ,GACb,MAAMmF,EAAeH,EAAe,CAACxF,IACrC,aAAa0F,EAAa1F,EAAMQ,EAAMmF,EAC1C,EACA,eAAM7D,CAAUhC,EAAOU,GACnB,MAAMmF,EAAeH,EAAe1F,GACpC,OAAOkC,QAAQC,IAAInC,EAAMkB,KAAIsD,eAAsBoB,EAAa1F,EAAMQ,EAAMmF,KAChF,EACAxD,OAAQ,0ICjFRgE,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,sBCrB1D,MAAM,MACJC,EAAK,WACLC,EAAU,cACVC,EAAa,SACbC,EAAQ,YACRC,EAAW,QACXC,EACA9E,IAAG,SACH+E,EAAM,aACNC,EAAY,OACZC,EAAM,WACNC,EAAU,aACVC,EAAY,eACZC,EAAc,WACdC,GAAU,WACVC,GAAU,YACVC,IACEjG,EAAA,4DCGJ,IAAIkG,GAIG,MAAMC,GAAWA,KACfD,KACDA,GAAQ,IAAIE,GAAAA,EAAO,CAAEC,YAAa,KAE/BH,IAEJ,IAAII,IACX,SAAWA,GACPA,EAAqB,KAAI,OACzBA,EAAqB,KAAI,OACzBA,EAA6B,aAAI,cACpC,CAJD,CAIGA,KAAmBA,GAAiB,CAAC,IACjC,MAAMC,GAAWhI,GAE2B,IADzBA,EAAMiI,QAAO,CAACC,EAAKhI,IAAS8C,KAAKkF,IAAIA,EAAKhI,EAAKiB,cAAcG,EAAAA,GAAW6G,KACtE7G,EAAAA,GAAWqD,QAQ1ByD,GAAWpI,GANIA,IACjBA,EAAMoB,OAAMlB,IACSoD,KAAKO,MAAM3D,EAAKyD,aAAa,qBAAuB,MACpD1D,MAAK8D,GAAiC,gBAApBA,EAAUC,QAAiD,IAAtBD,EAAU/C,SAAuC,aAAlB+C,EAAUE,QAMrHoE,CAAYrI,GCtBVsI,GAAgB,SAACC,EAAMC,GAAyC,IAA7BC,EAAMC,UAAAzH,OAAA,QAAAiD,IAAAwE,UAAA,GAAAA,UAAA,GAAIC,GAAO,IAAGA,KAC5DC,EAAUL,EACVM,EAAI,EACR,KAAOL,EAAWM,SAASF,IAAU,CACjC,MAAMG,GAAMC,EAAAA,GAAAA,SAAQT,GACpBK,EAAW,IAAEpF,EAAAA,GAAAA,UAAS+E,EAAMQ,MAAQN,EAAOI,OAAOE,GACtD,CACA,OAAOH,CACX,ECAMK,GAAqBjJ,GACnBgI,GAAQhI,GACJoI,GAAQpI,GACD+H,GAAemB,aAEnBnB,GAAeoB,KAGnBpB,GAAeqB,KAWbC,GAAuB7E,eAAOtE,EAAMoJ,EAAaC,GAA8B,IAAtBC,EAASd,UAAAzH,OAAA,QAAAiD,IAAAwE,UAAA,IAAAA,UAAA,GAC3E,IAAKY,EACD,OAEJ,GAAIA,EAAYnF,OAASC,EAAAA,GAASC,OAC9B,MAAM,IAAIoF,OAAM3I,EAAAA,EAAAA,IAAE,QAAS,gCAG/B,GAAIyI,IAAWxB,GAAeoB,MAAQjJ,EAAK+F,UAAYqD,EAAY1E,KAC/D,MAAM,IAAI6E,OAAM3I,EAAAA,EAAAA,IAAE,QAAS,kDAa/B,GAAK,GAAEwI,EAAY1E,QAAQL,WAAY,GAAErE,EAAK0E,SAC1C,MAAM,IAAI6E,OAAM3I,EAAAA,EAAAA,IAAE,QAAS,4EAG/BoF,EAAAA,QAAAA,IAAQhG,EAAM,SAAUwJ,EAAAA,GAAWC,SACnC,MAAMhC,EAAQC,KACd,aAAaD,EAAMiC,KAAIpF,UACnB,MAAMqF,EAAcC,GACF,IAAVA,GACOhJ,EAAAA,EAAAA,IAAE,QAAS,WAEfA,EAAAA,EAAAA,IAAE,QAAS,iBAAaoD,EAAW4F,GAE9C,IACI,MAAMC,GAASC,EAAAA,EAAAA,MACTC,GAAcC,EAAAA,GAAAA,MAAKC,EAAAA,GAAajK,EAAK0E,MACrCwF,GAAkBF,EAAAA,GAAAA,MAAKC,EAAAA,GAAab,EAAY1E,MACtD,GAAI2E,IAAWxB,GAAeqB,KAAM,CAChC,IAAIiB,EAASnK,EAAKsD,SAElB,IAAKgG,EAAW,CACZ,MAAMc,QAAmBP,EAAOQ,qBAAqBH,GACrDC,EAAS/B,GAAcpI,EAAKsD,SAAU8G,EAAWpJ,KAAKyH,GAAMA,EAAEnF,WAAWqG,EAC7E,CAGA,SAFME,EAAOS,SAASP,GAAaC,EAAAA,GAAAA,MAAKE,EAAiBC,IAErDnK,EAAK+F,UAAYqD,EAAY1E,KAAM,CACnC,MAAM,KAAES,SAAe0E,EAAOU,MAAKP,EAAAA,GAAAA,MAAKE,EAAiBC,GAAS,CAC9DK,SAAS,EACTrF,MAAMsF,EAAAA,EAAAA,SAEV/I,EAAAA,EAAAA,IAAK,sBAAsBgJ,EAAAA,EAAAA,IAAgBvF,GAC/C,CACJ,YAEU0E,EAAOc,SAASZ,GAAaC,EAAAA,GAAAA,MAAKE,EAAiBlK,EAAKsD,YAG9D5B,EAAAA,EAAAA,IAAK,qBAAsB1B,EAEnC,CACA,MAAO2B,GACH,GAAIA,aAAiBgF,EAAY,CAC7B,GAAgC,MAA5BhF,GAAOiJ,UAAUC,OACjB,MAAM,IAAItB,OAAM3I,EAAAA,EAAAA,IAAE,QAAS,kEAE1B,GAAgC,MAA5Be,GAAOiJ,UAAUC,OACtB,MAAM,IAAItB,OAAM3I,EAAAA,EAAAA,IAAE,QAAS,wBAE1B,GAAgC,MAA5Be,GAAOiJ,UAAUC,OACtB,MAAM,IAAItB,OAAM3I,EAAAA,EAAAA,IAAE,QAAS,oCAE1B,GAAIe,EAAMmJ,QACX,MAAM,IAAIvB,MAAM5H,EAAMmJ,QAE9B,CAEA,MADAlJ,EAAOmJ,MAAMpJ,GACP,IAAI4H,KACd,CAAC,QAEGvD,EAAAA,QAAAA,IAAQhG,EAAM,cAAUgE,EAC5B,IAER,EAQMgH,GAA0B1G,eAAOlE,GAA6B,IAArB2B,EAAGyG,UAAAzH,OAAA,QAAAiD,IAAAwE,UAAA,GAAAA,UAAA,GAAG,IAAK1I,EAAK0I,UAAAzH,OAAA,EAAAyH,UAAA,QAAAxE,EAC3D,MAAMiH,EAAUnL,EAAMkB,KAAIhB,GAAQA,EAAKkL,SAAQC,OAAOC,SAChDC,GAAaC,EAAAA,EAAAA,KAAqB1K,EAAAA,EAAAA,IAAE,QAAS,uBAC9C2K,kBAAiB,GACjBC,WAAW/C,GAEmC,IAAvCA,EAAExH,YAAcG,EAAAA,GAAWqK,UAE3BR,EAAQrC,SAASH,EAAEyC,UAE1BQ,kBAAkB,IAClBC,gBAAe,GACfC,QAAQ7J,GACb,OAAO,IAAIC,SAAQ,CAAC6J,EAASC,KACzBT,EAAWU,kBAAiB,CAACC,EAAYtH,KACrC,MAAMuH,EAAU,GACV9B,GAAS7G,EAAAA,GAAAA,UAASoB,GAClBwH,EAAWpM,EAAMkB,KAAIhB,GAAQA,EAAK+F,UAClCoG,EAAQrM,EAAMkB,KAAIhB,GAAQA,EAAK0E,OAerC,OAdItE,IAAWyH,GAAeqB,MAAQ9I,IAAWyH,GAAemB,cAC5DiD,EAAQG,KAAK,CACTC,MAAOlC,GAASvJ,EAAAA,EAAAA,IAAE,QAAS,mBAAoB,CAAEuJ,YAAYvJ,EAAAA,EAAAA,IAAE,QAAS,QACxEqD,KAAM,UACNqI,KAAMC,GACN,cAAMC,CAASpD,GACXyC,EAAQ,CACJzC,YAAaA,EAAY,GACzBhJ,OAAQyH,GAAeqB,MAE/B,IAIJgD,EAAStD,SAASlE,IAIlByH,EAAMvD,SAASlE,IAIftE,IAAWyH,GAAeoB,MAAQ7I,IAAWyH,GAAemB,cAC5DiD,EAAQG,KAAK,CACTC,MAAOlC,GAASvJ,EAAAA,EAAAA,IAAE,QAAS,mBAAoB,CAAEuJ,YAAYvJ,EAAAA,EAAAA,IAAE,QAAS,QACxEqD,KAAM7D,IAAWyH,GAAeoB,KAAO,UAAY,YACnDqD,KAAMG,GACN,cAAMD,CAASpD,GACXyC,EAAQ,CACJzC,YAAaA,EAAY,GACzBhJ,OAAQyH,GAAeoB,MAE/B,IAhBGgD,CAmBG,IAEHZ,EAAWzL,QACnB8M,OAAOC,OAAOhL,IACjBC,EAAOmJ,MAAMpJ,GACbmK,EAAO,IAAIvC,OAAM3I,EAAAA,EAAAA,IAAE,QAAS,qCAAqC,GACnE,GAEV,EACaR,GAAS,IAAIC,EAAAA,GAAW,CACjCC,GAAI,YACJC,WAAAA,CAAYT,GACR,OAAQiJ,GAAkBjJ,IACtB,KAAK+H,GAAeoB,KAChB,OAAOrI,EAAAA,EAAAA,IAAE,QAAS,QACtB,KAAKiH,GAAeqB,KAChB,OAAOtI,EAAAA,EAAAA,IAAE,QAAS,QACtB,KAAKiH,GAAemB,aAChB,OAAOpI,EAAAA,EAAAA,IAAE,QAAS,gBAE9B,EACAC,cAAeA,IAAM4L,GACrB3L,QAAQhB,KAECA,EAAMoB,OAAMlB,GAAQA,EAAKoE,MAAMC,WAAW,cAGxCvE,EAAMiB,OAAS,IAAM+G,GAAQhI,IAAUoI,GAAQpI,IAE1D,UAAMwB,CAAKtB,EAAMQ,EAAMuB,GACnB,MAAM3B,EAAS2I,GAAkB,CAAC/I,IAClC,IAAI6E,EACJ,IACIA,QAAemG,GAAwB5K,EAAQ2B,EAAK,CAAC/B,GACzD,CACA,MAAO4M,GAEH,OADAhL,EAAOD,MAAMiL,IACN,CACX,CACA,IAEI,aADMzD,GAAqBnJ,EAAM6E,EAAOuE,YAAavE,EAAOzE,SACrD,CACX,CACA,MAAOuB,GACH,SAAIA,aAAiB4H,OAAW5H,EAAMmJ,YAClCxF,EAAAA,EAAAA,IAAU3D,EAAMmJ,SAET,KAGf,CACJ,EACA,eAAMhJ,CAAUhC,EAAOU,EAAMuB,GACzB,MAAM3B,EAAS2I,GAAkBjJ,GAC3B+E,QAAemG,GAAwB5K,EAAQ2B,EAAKjC,GACpD+M,EAAW/M,EAAMkB,KAAIsD,UACvB,IAEI,aADM6E,GAAqBnJ,EAAM6E,EAAOuE,YAAavE,EAAOzE,SACrD,CACX,CACA,MAAOuB,GAEH,OADAC,EAAOD,MAAO,aAAYkD,EAAOzE,cAAe,CAAEJ,OAAM2B,WACjD,CACX,KAKJ,aAAaK,QAAQC,IAAI4K,EAC7B,EACA1K,MAAO,uMC5PE/B,GAAS,IAAIC,EAAAA,GAAW,CACjCC,GAAI,cACJC,WAAAA,CAAY4C,GAER,MAAM5C,EAAc4C,EAAM,GAAGM,WAAWlD,aAAe4C,EAAM,GAAGG,SAChE,OAAO1C,EAAAA,EAAAA,IAAE,QAAS,4BAA6B,CAAEL,eACrD,EACAM,cAAeA,IAAMiM,GACrBhM,OAAAA,CAAQhB,GAEJ,GAAqB,IAAjBA,EAAMiB,OACN,OAAO,EAEX,MAAMf,EAAOF,EAAM,GACnB,QAAKE,EAAK+M,gBAGH/M,EAAKiE,OAASC,EAAAA,GAASC,QACkB,IAAxCnE,EAAKiB,YAAcG,EAAAA,GAAWoC,KAC1C,EACAc,KAAUhD,MAACtB,EAAMQ,OACRR,GAAQA,EAAKiE,OAASC,EAAAA,GAASC,UAGpCY,OAAOiI,IAAIC,MAAMC,OAAOC,UAAU,KAAM,CAAE3M,KAAMA,EAAKF,GAAI4K,OAAQlL,EAAKkL,QAAU,CAAEnJ,IAAK/B,EAAK0E,OACrF,MAGX0I,QAASC,EAAAA,GAAYC,OACrBnL,OAAQ,MC1BC/B,GAAS,IAAIC,EAAAA,GAAW,CACjCC,GAAI,uBACJC,YAAaA,KAAMK,EAAAA,EAAAA,IAAE,QAAS,iBAC9BC,cAAeA,IAAM,GACrBC,QAASA,CAAChB,EAAOU,IAAqB,WAAZA,EAAKF,GAC/B,UAAMgB,CAAKtB,GACP,IAAI+B,EAAM/B,EAAK+F,QAMf,OALI/F,EAAKiE,OAASC,EAAAA,GAASC,SACvBpC,EAAMA,EAAM,IAAM/B,EAAKsD,UAE3ByB,OAAOiI,IAAIC,MAAMC,OAAOC,UAAU,KAClC,CAAE3M,KAAM,QAAS0K,OAAQlL,EAAKkL,QAAU,CAAEnJ,QACnC,IACX,EAEAI,OAAQ,IACRiL,QAASC,EAAAA,GAAYC,SCjBZlN,GAAS,IAAIC,EAAAA,GAAW,CACjCC,GAAI,SACJC,YAAaA,KAAMK,EAAAA,EAAAA,IAAE,QAAS,UAC9BC,cAAeA,yPACfC,QAAUhB,GACCA,EAAMiB,OAAS,GAAKjB,EACtBkB,KAAIhB,GAAQA,EAAKiB,cACjBC,OAAMC,GAAmD,IAApCA,EAAaC,EAAAA,GAAWqD,UAEtDH,KAAUhD,MAACtB,KAEP0B,EAAAA,EAAAA,IAAK,oBAAqB1B,GACnB,MAEXmC,MAAO,qBCfJ,MACM/B,GAAS,IAAIC,EAAAA,GAAW,CACjCC,GAF0B,UAG1BC,YAAaA,KAAMK,EAAAA,EAAAA,IAAE,QAAS,gBAC9BC,cAAeA,IAAM0M,GAErBzM,QAAUhB,GAEe,IAAjBA,EAAMiB,UAGLjB,EAAM,MAINiF,QAAQyI,KAAKP,OAAOQ,WAGjB3N,EAAM,GAAGsE,MAAMC,WAAW,YAAcvE,EAAM,GAAGmB,cAAgBG,EAAAA,GAAW8E,QAAS,GAEjG,UAAM5E,CAAKtB,EAAMQ,EAAMuB,GACnB,IAKI,aAHMgD,OAAOyI,IAAIP,MAAMQ,QAAQC,KAAK1N,EAAK0E,MAEzCK,OAAOiI,IAAIC,MAAMC,OAAOC,UAAU,KAAM,CAAE3M,KAAMA,EAAKF,GAAI4K,OAAQlL,EAAKkL,QAAU,CAAEnJ,QAAO,GAClF,IACX,CACA,MAAOJ,GAEH,OADAC,EAAOD,MAAM,8BAA+B,CAAEA,WACvC,CACX,CACJ,EACAQ,OAAQ,KClCC/B,GAAS,IAAIC,EAAAA,GAAW,CACjCC,GAAI,iBACJC,YAAWA,KACAK,EAAAA,EAAAA,IAAE,QAAS,kBAEtBC,cAAeA,IAAM4L,GACrB3L,OAAAA,CAAQhB,EAAOU,GAEX,GAAgB,UAAZA,EAAKF,GACL,OAAO,EAGX,GAAqB,IAAjBR,EAAMiB,OACN,OAAO,EAEX,MAAMf,EAAOF,EAAM,GACnB,QAAKE,EAAK+M,gBAGN/M,EAAKiB,cAAgBG,EAAAA,GAAW8E,MAG7BlG,EAAKiE,OAASC,EAAAA,GAASyJ,IAClC,EACArJ,KAAUhD,MAACtB,MACFA,GAAQA,EAAKiE,OAASC,EAAAA,GAASyJ,QAGpC5I,OAAOiI,IAAIC,MAAMC,OAAOC,UAAU,KAAM,CAAE3M,KAAM,QAAS0K,OAAQlL,EAAKkL,QAAU,CAAEnJ,IAAK/B,EAAK+F,UACrF,MAEX5D,MAAO,KC9BEyL,GAAQ,CACjBtN,GAAI,YACJC,aAAaK,EAAAA,EAAAA,IAAE,QAAS,cACxBE,QAAU+M,GAA0D,IAA7CA,EAAQ5M,YAAcG,EAAAA,GAAWqK,QACxD5K,oUACAsB,MAAO,EACP,aAAM2L,CAAQD,EAASE,GACnB,MAAMC,EAAeD,EAAQ/M,KAAKhB,GAASA,EAAKsD,WAC1C+E,EAAOD,IAAcxH,EAAAA,EAAAA,IAAE,QAAS,cAAeoN,IAC/C,OAAE9C,EAAM,OAAErJ,QAxBAyC,OAAOF,EAAMiE,KACjC,MAAMxG,EAASuC,EAAKvC,OAAS,IAAMwG,EAC7B5G,EAAgB2C,EAAK3C,cAAgB,IAAMwM,mBAAmB5F,GAC9DuC,QAAiBrJ,EAAAA,EAAAA,GAAM,CACzB8H,OAAQ,QACRhH,IAAKZ,EACLyM,QAAS,CACLC,UAAW,OAGnB,MAAO,CACHjD,OAAQkD,SAASxD,EAASsD,QAAQ,cAClCrM,SACH,EAWoCwM,CAAgBR,EAASxF,GAEpDiG,EAAS,IAAInK,EAAAA,GAAO,CACtBtC,SACAvB,GAAI4K,EACJqD,MAAO,IAAIC,KACXvO,OAAOC,EAAAA,EAAAA,OAAkBC,KAAO,KAChCc,YAAaG,EAAAA,GAAW6G,IACxB7D,KAAMyJ,GAASzJ,MAAQ,WAAYlE,EAAAA,EAAAA,OAAkBC,OAEzDsO,EAAAA,EAAAA,KAAY7N,EAAAA,EAAAA,IAAE,QAAS,8BAA+B,CAAEyH,MAAM/E,EAAAA,GAAAA,UAASzB,MACvED,EAAOmJ,MAAM,qBAAsB,CAAEuD,SAAQzM,YAC7CH,EAAAA,EAAAA,IAAK,qBAAsB4M,IAC3B5M,EAAAA,EAAAA,IAAK,oBAAqB4M,EAC9B,sDChDJ,MAEMlK,GAF2C,oBAAtBsK,mBACvBC,gBAAgBD,kBAEdC,KACkB,oBAAX5J,OACHA,OACA6J,WACGC,GAAQzK,GAAKyK,MAAMC,KAAK1K,IACdA,GAAK2K,QACL3K,GAAK4K,QACJ5K,GAAK6K,SCT7B,MAAMC,GAAmB,eACnBC,GAAO,OACb,SAASC,GAAc/F,GACnB,MAAO,CACHgG,SAAUhG,EACViG,QAAS,CAACjG,GACVkG,OAAO,EAEf,CAIO,MAAMC,GACT,WAAAC,GACIvN,KAAKwN,eAAiB,CAClBC,SAAU,CAAC,EACXC,eAAgB,QAEpB1N,KAAK2N,SAAWX,EACpB,CAKA,iBAAIY,GACA,OAAO5N,KAAKwN,cAChB,CAKA,kBAAIE,GACA,OAAO1N,KAAK4N,cAAcF,cAC9B,CACA,kBAAIA,CAAeG,GACf7N,KAAK4N,cAAcF,eAAiBG,CACxC,CAUA,OAAAC,CAAQ7F,EAAQ8F,GAAuB,GACnC,IAAK9F,GAAUA,EAAO0F,WAAaX,GAC/B,MAAM,IAAI3F,MAAM,+EAapB,OAXA2G,OAAOC,KAAKhG,EAAO2F,cAAcH,UAAUS,SAAQC,IAC3CnO,KAAK4N,cAAcH,SAASW,eAAeD,GACvCJ,IACA/N,KAAK4N,cAAcH,SAASU,GAAcH,OAAOK,OAAO,CAAC,EAAGpG,EAAO2F,cAAcH,SAASU,KAI9FnO,KAAK4N,cAAcH,SAASU,GAAcH,OAAOK,OAAO,CAAC,EAAGpG,EAAO2F,cAAcH,SAASU,GAC9F,IAEJlG,EAAOuF,eAAiBxN,KAAK4N,cACtB5N,IACX,CAQA,OAAAsO,CAAQzM,KAAQ0M,GAEZ,OADevO,KAAKwO,IAAI3M,IAAQoL,OACfsB,EACrB,CAUA,GAAAC,CAAI3M,GACA,MAAM4M,EAAOzO,KAAK4N,cAAcH,SAAS5L,GACzC,IAAK4M,EACD,OAAQzO,KAAK0N,gBACT,IAAK,OACD,OAAO,KACX,IAAK,QACD,MAAM,IAAIrG,MAAM,oEAAoExF,KACxF,QACI,MAAM,IAAIwF,MAAM,8FAA8FrH,KAAK0N,kBAG/H,OChGD,YAAqBN,GACxB,GAAuB,IAAnBA,EAAQvO,OACR,MAAM,IAAIwI,MAAM,mDAEpB,OAAO,YAA8BkH,GACjC,IAAI5L,EAAS4L,EACb,MAAMG,EAAQ1O,KACd,KAAOoN,EAAQvO,OAAS,GAEpB8D,EAAS,CADMyK,EAAQuB,QACNC,MAAMF,EAAO/L,IAElC,OAAOA,EAAO,EAClB,CACJ,CDmFekM,IAAYJ,EAAKrB,QAC5B,CAMA,SAAA0B,CAAUjN,GACN,QAAS7B,KAAK4N,cAAcH,SAAS5L,EACzC,CAQA,KAAAkN,CAAMlN,EAAKsF,EAAQ6H,EAAO,CAAC,GACvB,MAAM,MAAEC,GAAQ,GAAUD,EAC1B,GAAIhP,KAAK4N,cAAcH,SAAS5L,IAAQ7B,KAAK4N,cAAcH,SAAS5L,GAAKwL,MACrE,MAAM,IAAIhG,MAAM,oBAAoBxF,oCAExC,GAAsB,mBAAXsF,EACP,MAAM,IAAIE,MAAM,oBAAoBxF,yCAExC,GAAIoN,EAEKjP,KAAK4N,cAAcH,SAAS5L,GAM7B7B,KAAK4N,cAAcH,SAAS5L,GAAKuL,QAAQlD,KAAK/C,GAJ9CnH,KAAK4N,cAAcH,SAAS5L,GAAOqL,GAAc/F,QASrD,GAAInH,KAAK8O,UAAUjN,GAAM,CACrB,MAAM,SAAEsL,GAAanN,KAAK4N,cAAcH,SAAS5L,GACjD7B,KAAK4N,cAAcH,SAAS5L,GAAOmM,OAAOK,OAAOnB,GAAc/F,GAAS,CACpEgG,YAER,MAEInN,KAAK4N,cAAcH,SAAS5L,GAAOqL,GAAc/F,GAGzD,OAAOnH,IACX,CAkBA,WAAAkP,CAAYrN,EAAKsF,KAAWoH,GAIxB,OAHKvO,KAAK8O,UAAUjN,IAChB7B,KAAK+O,MAAMlN,EAAKsF,GAEbnH,KAAKsO,QAAQzM,KAAQ0M,EAChC,CASA,MAAAY,CAAOtN,KAAQuL,GAIX,OAHAA,EAAQc,SAAQ/G,IACZnH,KAAK+O,MAAMlN,EAAKsF,EAAQ,CAAE8H,OAAO,GAAO,IAErCjP,IACX,CAMA,OAAAoP,CAAQvN,GACJ,IAAK7B,KAAK8O,UAAUjN,GAChB,MAAM,IAAIwF,MAAM,uDAAuDxF,KAEtE,GAAyD,mBAA9C7B,KAAK4N,cAAcH,SAAS5L,GAAKsL,SAC7C,MAAM,IAAI9F,MAAM,kFAAkFxF,KAGtG,OADA7B,KAAK4N,cAAcH,SAAS5L,GAAKuL,QAAU,CAACpN,KAAK4N,cAAcH,SAAS5L,GAAKsL,UACtEnN,IACX,CAQA,QAAAqP,CAASxN,GACL,IAAK7B,KAAK4N,cAAcH,SAASW,eAAevM,GAC5C,MAAM,IAAIwF,MAAM,mBAAmBxF,wCAGvC,OADA7B,KAAK4N,cAAcH,SAAS5L,GAAKwL,OAAQ,EAClCrN,IACX,EElNJ,IAAIsP,GAAY,gCCChB,MAAMC,GAAc,mBAKb,SAASC,GAAyBvL,EAASwL,GAC9C,MAAMtP,EAAM8D,EAAQ9D,IAAIuP,QAAQ,KAAM,IAChCC,GAA2B,GAArBxP,EAAIyP,QAAQ,KAAa,IAAMzP,EAAI0P,MAAM1P,EAAIyP,QAAQ,MAC3DzI,EAASlD,EAAQkD,OAASlD,EAAQkD,OAAO2I,cAAgB,MACzDC,IAAM,uBAAuBC,KAAKP,EAAOM,MAAO,OAChDE,EAAW,WAAWR,EAAOS,KAAKL,OAAO,GACzCM,ECZH,SAAoBC,EAAWC,EAAMC,EAAOC,EAAMC,EAAOC,EAAQN,GACpE,MAAMO,EAAUP,GAAOQ,GAAI,GAAGN,KAAQC,KAASC,KAC/C,OAAIH,GAAyC,aAA5BA,EAAUQ,cAChBD,GAAI,GAAGD,KAAWF,KAASC,KAE/BC,CACX,CDMgBG,CAAWpB,EAAOW,UAAWX,EAAOqB,SAAUrB,EAAOa,MAAOb,EAAOsB,SAAUtB,EAAOe,MAAOf,EAAOgB,OAAQhB,EAAOU,KACvHa,EAAML,GAAI,GAAGxJ,KAAUwI,KACvBsB,EACAN,GADiBZ,EACb,GAAGI,KAAOV,EAAOe,SAASP,KAAYR,EAAOgB,UAAUV,KAAOiB,IAC9D,GAAGb,KAAOV,EAAOe,SAASQ,KAC9BE,EAAa,CACfJ,SAAUrB,EAAOqB,SACjBR,MAAOb,EAAOa,MACdE,MAAOf,EAAOe,MACdb,MACAI,MACArH,SAAUuI,EACVf,GAAID,EACJQ,OAAQhB,EAAOgB,OACfL,UAAWX,EAAOW,UAClBe,OAAQ1B,EAAO0B,QAEbC,EAAa,GACnB,IAAK,MAAMC,KAAKH,EACRA,EAAWG,KACD,QAANA,GAAqB,OAANA,GAAoB,cAANA,EAC7BD,EAAWlH,KAAK,GAAGmH,KAAKH,EAAWG,MAGnCD,EAAWlH,KAAK,GAAGmH,MAAMH,EAAWG,QAIhD,MAAO,UAAUD,EAAWtJ,KAAK,OACrC,CE1CO,SAAS,GAAawJ,GACzB,OAIJ,SAAuBA,GACnB,GAAmB,iBAARA,GACC,OAARA,GACuC,mBAAvCtD,OAAOuD,UAAUzQ,SAAS0Q,KAAKF,GAE/B,OAAO,EAEX,GAAmC,OAA/BtD,OAAOyD,eAAeH,GACtB,OAAO,EAEX,IAAII,EAAQJ,EAEZ,KAAwC,OAAjCtD,OAAOyD,eAAeC,IACzBA,EAAQ1D,OAAOyD,eAAeC,GAElC,OAAO1D,OAAOyD,eAAeH,KAASI,CAC1C,CApBWC,CAAcL,GACftD,OAAOK,OAAO,CAAC,EAAGiD,GAClBtD,OAAO4D,eAAe5D,OAAOK,OAAO,CAAC,EAAGiD,GAAMtD,OAAOyD,eAAeH,GAC9E,CAkBO,SAASO,MAAStD,GACrB,IAAIuD,EAAS,KAAMC,EAAQ,IAAIxD,GAC/B,KAAOwD,EAAMlT,OAAS,GAAG,CACrB,MAAMmT,EAAWD,EAAMpD,QAKnBmD,EAJCA,EAIQG,GAAaH,EAAQE,GAHrB,GAAaA,EAK9B,CACA,OAAOF,CACX,CACA,SAASG,GAAaC,EAAMC,GACxB,MAAML,EAAS,GAAaI,GAqB5B,OApBAlE,OAAOC,KAAKkE,GAAMjE,SAAQrM,IACjBiQ,EAAO1D,eAAevM,GAIvBQ,MAAM+P,QAAQD,EAAKtQ,IACnBiQ,EAAOjQ,GAAOQ,MAAM+P,QAAQN,EAAOjQ,IAC7B,IAAIiQ,EAAOjQ,MAASsQ,EAAKtQ,IACzB,IAAIsQ,EAAKtQ,IAEW,iBAAdsQ,EAAKtQ,IAAuBsQ,EAAKtQ,GAC7CiQ,EAAOjQ,GACoB,iBAAhBiQ,EAAOjQ,IAAuBiQ,EAAOjQ,GACtCoQ,GAAaH,EAAOjQ,GAAMsQ,EAAKtQ,IAC/B,GAAasQ,EAAKtQ,IAG5BiQ,EAAOjQ,GAAOsQ,EAAKtQ,GAfnBiQ,EAAOjQ,GAAOsQ,EAAKtQ,EAgBvB,IAEGiQ,CACX,CCnDO,SAAS,MAAgBO,GAC5B,GAA8B,IAA1BA,EAAexT,OACf,MAAO,CAAC,EACZ,MAAMyT,EAAa,CAAC,EACpB,OAAOD,EAAexM,QAAO,CAACiM,EAAQ9F,KAClCgC,OAAOC,KAAKjC,GAASkC,SAAQqE,IACzB,MAAMC,EAAcD,EAAO3B,cACvB0B,EAAWlE,eAAeoE,GAC1BV,EAAOQ,EAAWE,IAAgBxG,EAAQuG,IAG1CD,EAAWE,GAAeD,EAC1BT,EAAOS,GAAUvG,EAAQuG,GAC7B,IAEGT,IACR,CAAC,EACR,iBCxBA,MAAMW,GAAwC,mBAAhBC,aACtB5R,SAAU6R,IAAgB3E,OAAOuD,UCQzC,SAASqB,GAASC,GACd,MAAMC,GNPDxD,KACDA,GAAY,IAAIhC,IAEbgC,IMKP,OAAOwD,EAAQ5D,YAAY,WAAYjL,GAAY6O,EAAQ5D,YAAY,QAASvC,GAAO1I,EAAQ9D,IAEnG,SAAyB0S,GACrB,IAAI7G,EAAU,CAAC,EAEf,MAAMgD,EAAO,CACT7H,OAAQ0L,EAAe1L,QAK3B,GAHI0L,EAAe7G,UACfA,EAAU,GAAaA,EAAS6G,EAAe7G,eAEhB,IAAxB6G,EAAe5P,KAAsB,CAC5C,MAAO8P,EAAMC,GCnBd,SAAgC/P,GACnC,KAAK,WAAWA,aAAgB,YAE5B,MAAO,CAACA,EAAM,CAAC,GAEnB,GAAoB,iBAATA,EACP,MAAO,CAACA,EAAM,CAAC,GAEd,GCXY,OADIgQ,EDYHhQ,ICVO,MAArBgQ,EAAM1F,aACgC,mBAA/B0F,EAAM1F,YAAY2F,UACzBD,EAAM1F,YAAY2F,SAASD,GDS3B,MAAO,CAAChQ,EAAM,CAAC,GAEd,GFZF,SAAuBgQ,GAC1B,OAAQR,KACHQ,aAAiBP,aAA2C,yBAA5BC,GAAYnB,KAAKyB,GAC1D,CESaE,CAAclQ,GACnB,MAAO,CAACA,EAAM,CAAC,GAEd,GAAIA,GAAwB,iBAATA,EACpB,MAAO,CACH/B,KAAKC,UAAU8B,GACf,CACI,eAAgB,qBCtBzB,IAAkBgQ,ED0BrB,MAAM,IAAI5L,MAAM,gEAAgEpE,EACpF,CDJmCmQ,CAAuBP,EAAe5P,MACjE+L,EAAK+D,KAAOA,EACZ/G,EAAU,GAAaA,EAASgH,EACpC,CAoBA,OAnBIH,EAAeQ,SACfrE,EAAKqE,OAASR,EAAeQ,QAE7BR,EAAeS,kBACftE,EAAKuE,YAAc,YAGlB,YACGV,EAAeW,WAAaX,EAAeY,cAC3CzE,EAAK0E,MAASC,GACiB,UAAvBA,EAAUC,SACHf,EAAeW,WAAa,IAAI,SAEpCX,EAAeY,YAAc,IAAI,UAKpDzE,EAAKhD,QAAUA,EACRgD,CACX,CApCwG6E,CAAgB5P,KAAW4O,EACnI,CGRO,MAAMiB,GAAY,WAAS9V,EAAAA,EAAAA,OAAkBC,MACvC8V,IAAiBC,EAAAA,EAAAA,mBAAkB,MAAQF,IAC3CG,GAAY,WAA8B,IAA7BC,EAAO5N,UAAAzH,OAAA,QAAAiD,IAAAwE,UAAA,GAAAA,UAAA,GAAGyN,GAChC,MAAMpM,GAASwM,EAAAA,GAAAA,IAAaD,EAAS,CACjClI,QAAS,CACLoI,cAAcC,EAAAA,EAAAA,OAAqB,MAmB3C,OAXgBC,EAAAA,GAAAA,MAIRvF,MAAM,WAAY9K,IAClBA,EAAQ+H,SAAS7E,SACjBlD,EAAQkD,OAASlD,EAAQ+H,QAAQ7E,cAC1BlD,EAAQ+H,QAAQ7E,QH+C5B/E,eAAuByQ,GAE1B,IAAKA,EAAe0B,QAChB,OAAO3B,GAASC,GAGpB,MAAM0B,EAAU1B,EAAe0B,eACxB1B,EAAe0B,QAElBA,EAAQC,gBACR3B,EAAiBhB,GAAMgB,EAAgB,CACnC7G,QAAS,CACLyI,cAAejF,GAAyBqD,EAAgB0B,OAKpE,MAAM7L,QAAiBkK,GAASC,GAChC,GAAuB,KAAnBnK,EAASC,QAET,GADA4L,EAAQC,cLxCT,SAAyB9L,EAAU6L,GACtC,MAAMnD,EAAc1I,EAASsD,SAAWtD,EAASsD,QAAQwC,IAAI,qBAAwB,GACrF,GAAgD,WAA5C4C,EAAWsD,MAAM,MAAM,GAAG9D,cAC1B,OAAO,EAEX,MAAM+D,EAAK,8CACX,OAAS,CACL,MAAMC,EAAQD,EAAGvV,KAAKgS,GACtB,IAAKwD,EACD,MAEJL,EAAQK,EAAM,IAAMA,EAAM,IAAMA,EAAM,EAC1C,CAGA,OAFAL,EAAQrE,IAAM,EACdqE,EAAQ9D,OArBZ,WACI,IAAIxS,EAAM,GACV,IAAK,IAAIwI,EAAI,EAAGA,EA1CD,KA0CmBA,EAC9BxI,EAAM,GAAGA,IAAMsR,GAAY3O,KAAKiU,MAAsBtF,GAAhB3O,KAAKC,aAE/C,OAAO5C,CACX,CAeqB6W,IACV,CACX,CKwBgCC,CAAgBrM,EAAU6L,GAC9CA,EAAQC,cAAe,CACvB3B,EAAiBhB,GAAMgB,EAAgB,CACnC7G,QAAS,CACLyI,cAAejF,GAAyBqD,EAAgB0B,MAGhE,MAAMS,QAAkBpC,GAASC,GAOjC,OANwB,KAApBmC,EAAUrM,OACV4L,EAAQC,eAAgB,EAGxBD,EAAQrE,KAEL8E,CACX,OAGAT,EAAQrE,KAEZ,OAAOxH,CACX,CGrFeuM,CAAQhR,MAEZ0D,CACX,iBCRO,MAAMuN,GAAW,SAAUC,GAC9B,OAAOA,EAAIT,MAAM,IAAI7O,QAAO,SAAUuP,EAAGC,GAErC,OADAD,GAAMA,GAAK,GAAKA,EAAKC,EAAEC,WAAW,IACvBF,CACf,GAAG,EACP,ECnBMzN,GAASsM,KACFsB,GAAe,SAAUzX,GAClC,MAAM0X,EAAQ1X,EAAK0X,MACbzW,GAAc0W,EAAAA,EAAAA,IAAoBD,GAAOzW,aACzChB,EAASyX,EAAM,cAAexX,EAAAA,EAAAA,OAAkBC,IAChD0B,GAASqU,EAAAA,EAAAA,mBAAkB,MAAQF,GAAWhW,EAAK4X,UAInDC,EAAW,CACbvX,GAJOoX,GAAOxM,OAAS,EACrBkM,GAASvV,GACT6V,GAAOxM,QAAU,EAGnBrJ,SACA0M,MAAO,IAAIC,KAAKxO,EAAK8X,SACrBC,KAAM/X,EAAK+X,KACXC,KAAMN,GAAOM,MAAQ,EACrB/W,cACAhB,QACAmE,KAAM4R,GACNvS,WAAY,IACLzD,KACA0X,EACHO,WAAYP,IAAQ,eACpBQ,OAAQR,GAAOxM,OAAS,IAIhC,cADO2M,EAASpU,WAAWiU,MACN,SAAd1X,EAAKiE,KACN,IAAI0J,EAAAA,GAAKkK,GACT,IAAI1T,EAAAA,GAAO0T,EACrB,ECjCMhO,GAASsM,KACTgC,GAAiB,4CACJC,EAAAA,EAAAA,4BAEfC,EAAAA,EAAAA,sHAMSC,GAAchU,iBAAsB,IAAfI,EAAI8D,UAAAzH,OAAA,QAAAiD,IAAAwE,UAAA,GAAAA,UAAA,GAAG,IACrC,MAAM+P,GAAkB9N,EAAAA,EAAAA,MAExB,IAAI+N,EACS,MAAT9T,IACA8T,QAAqB3O,GAAOU,KAAK7F,EAAM,CACnC8F,SAAS,EACTrF,KAAMoT,KAGd,MAAME,QAAyB5O,GAAOQ,qBAAqB3F,EAAM,CAC7D8F,SAAS,EAETrF,KAAe,MAATT,EAAeyT,GAAgBI,EACrCrK,QAAS,CAEL7E,OAAiB,MAAT3E,EAAe,SAAW,YAEtCgU,aAAa,IAEXtU,EAAOoU,GAAcrT,MAAQsT,EAAiBtT,KAAK,GACnDwT,EAAWF,EAAiBtT,KAAKgG,QAAOnL,GAAQA,EAAK4X,WAAalT,IACxE,MAAO,CACH4J,OAAQmJ,GAAarT,GACrBuU,SAAUA,EAAS3X,IAAIyW,IAE/B,EC7BamB,GAA6B,SAAUtK,GAAmB,IAAX1E,EAAKpB,UAAAzH,OAAA,QAAAiD,IAAAwE,UAAA,GAAAA,UAAA,GAAG,EAChE,OAAO,IAAIqQ,EAAAA,GAAK,CACZvY,GAAIwY,GAAmBxK,EAAO5J,MAC9B2D,MAAM/E,EAAAA,GAAAA,UAASgL,EAAO5J,MACtB4H,KAAMQ,GACN3K,MAAOyH,EACPmP,OAAQ,CACJhX,IAAKuM,EAAO5J,KACZwG,OAAQoD,EAAOpD,OAAOlI,WACtBxC,KAAM,aAEVwY,OAAQ,YACRC,QAAS,GACTX,YAAWA,IAEnB,EACaQ,GAAqB,SAAUpU,GACxC,MAAQ,YAAW0S,GAAS1S,IAChC,EC1BMmF,IAASC,EAAAA,EAAAA,MACToP,GAAwBpW,KAAKqW,MAAO3K,KAAK4K,MAAQ,IAAS,SCHhE,4BCyBO,MCzBoL,GCwD3L,CACA/Q,KAAA,kBACAgR,cAAA,EAEA3B,MAAA,CACApU,SAAA,CACAW,KAAAqV,OACAC,UAAA,GAEAC,QAAA,CACAvV,KAAAmH,QACAgC,SAAA,GAEAlC,OAAA,CACAjH,KAAA,CAAAqV,OAAAG,QACAF,UAAA,GAEA3B,SAAA,CACA3T,KAAAqV,OACAC,UAAA,GAEAG,WAAA,CACAzV,KAAAqV,OACAlM,QAAA,MAEA6K,WAAA,CACAhU,KAAAmH,QACAgC,SAAA,GAEA2K,KAAA,CACA9T,KAAAqV,OACAC,UAAA,GAEAI,MAAA,CACA1V,KAAAwV,OACArM,QAAA,OAIAjI,KAAAA,KACA,CACAyU,eAAA,IAIAC,SAAA,CAMAC,cAAAA,GACA,YAAAxW,SAAAwO,QAAA,aAAAxO,SAAAsT,MAAA,KAAA7E,MAAA,MAAA/H,KAAA,UAAA1G,QACA,EAEAhD,EAAAA,GACA,8BAAA4K,QACA,EAEA6O,cAAAA,GAEA,YAAAH,eAAA,KAAAI,SACA,KAAAA,SAGA,KAAAN,WACA,KAAAA,YFxFSxZ,EAAAA,EAAAA,OE8FTgD,EAAAA,EAAAA,aAAA,6BAAAgI,2BAFAhI,EAAAA,EAAAA,aAAA,qCFxFQX,SAAS0X,eAAe,iBAAmB1X,SAAS0X,eAAe,gBAAgB9E,gBEwF3F,KAAAjK,e7BrF8B,SAAUxG,GACpC,MAAMwV,GAAgBxV,EAAKL,WAAW,KAAOK,EAAQ,IAAGA,KAAQkS,MAAM,KACtE,IAAIuD,EAAe,GAMnB,OALAD,EAAa9J,SAASgK,IACF,KAAZA,IACAD,GAAgB,IAAMlM,mBAAmBmM,GAC7C,IAEGD,CACX,C6B4EAE,CAAA,KAAAzC,4BAGA,EAEAoC,QAAAA,GACA,OAAAnU,GAAAyU,SAAAC,WAAA,KAAAxC,KACA,GAGAzI,QAAA,CACAkL,OAAAA,GACA,KAAAC,MAAA,aAAAvP,OACA,EACAwP,SAAAA,GACA,KAAAd,eAAA,CACA,oBCnII,GAAU,CAAC,EAEf,GAAQxT,kBAAoB,IAC5B,GAAQC,cAAgB,IAElB,GAAQC,OAAS,SAAc,KAAM,QAE3C,GAAQC,OAAS,IACjB,GAAQC,mBAAqB,IAEhB,IAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,uBCP1D,UAXgB,QACd,ICTW,WAAkB,IAAIkU,EAAIzY,KAAK0Y,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,KAAK,CAACE,YAAY,yBAAyB,CAACF,EAAG,QAAQ,CAACE,YAAY,QAAQC,MAAM,CAAC,GAAKJ,EAAIra,GAAG,KAAO,QAAQ,KAAO,mBAAmB0a,SAAS,CAAC,QAAUL,EAAInB,SAASyB,GAAG,CAAC,OAASN,EAAIH,WAAWG,EAAIO,GAAG,KAAKN,EAAG,QAAQ,CAACE,YAAY,yBAAyBC,MAAM,CAAC,IAAMJ,EAAIra,KAAK,CAACsa,EAAG,MAAM,CAACE,YAAY,2BAA2BK,MAAMR,EAAIf,cAAgB,mCAAqC,IAAI,CAACgB,EAAG,MAAM,CAACE,YAAY,yBAAyBC,MAAM,CAAC,IAAMJ,EAAIZ,eAAe,IAAM,GAAG,UAAY,SAASkB,GAAG,CAAC,MAAQN,EAAID,eAAeC,EAAIO,GAAG,KAAKN,EAAG,OAAO,CAACE,YAAY,0BAA0B,CAACH,EAAIO,GAAG,WAAWP,EAAIS,GAAGT,EAAIb,gBAAgB,eAC3sB,GACsB,IDUpB,EACA,KACA,WACA,MAI8B,QEnB8N,GPa/O9T,EAAAA,QAAIqV,OAAO,CACtBhT,KAAM,iBACNiT,WAAY,CACRC,eAAc,KACdC,QAAO,KACPC,gBAAeA,IAEnB/D,MAAO,CACH9V,OAAQ,CACJqC,KAAMiM,OACNqJ,UAAU,IAGlBpU,KAAIA,KACO,CAEHqU,SAAU,EACVkC,SAAS,EACTrT,KAAM,KACNsT,QAAQ,EACRC,SAAU,OAGlB/B,SAAU,CACNgC,SAAAA,GACI,OAAO/S,EAAAA,GAAAA,SAAQ,KAAKT,KACxB,EACAyR,cAAAA,GAEI,OAAQ,KAAK+B,UAEP,KAAKxT,KAAK0J,MAAM,EAAG,EAAI,KAAK8J,UAAU9a,QADtC,KAAKsH,IAEf,EACAyT,aAAAA,GACI,MAAO,CACHxY,SAAU1C,EAAE,QAAS,SACrBsK,QAAS,EACT0M,SAAU,KAAKhX,EAAE,QAAS,SAC1BqX,YAAY,EACZF,KAAM,KAAK6D,UAAUG,UAAU,IAAM,KAAKH,UAAUG,UAE5D,EACAC,gBAAAA,GACI,OAAK,KAAKJ,SAGH,KAAKA,SAASK,UAAUrY,MAAKsY,GAAYA,EAAShR,SAAW,KAAKsO,UAF9D,IAGf,EAMA2C,KAAAA,GACI,IAAK,KAAKP,SACN,MAAO,CAAC,EAGZ,MAGMQ,GAHQ,KAAKR,SAASjC,MAAQ,KAAKiC,SAASjC,MAAQ,MAGpC,EAAI0C,IAAcA,IACxC,MAAO,CACH,WAAYA,MACZ,UAAWD,EAAQ,KACnB,WAAYE,MACZ,cAAeF,EAAQ,GAAa,EAAa,KACjD,WAAY,KAAKR,SAASjC,MAAQ7W,KAAKqW,MAAMiD,EAAQ,KAAKR,SAASjC,OAAS,KAAO,KAE3F,GAEJrK,QAAS,CAOL,UAAM5B,CAAKrF,EAAMuT,GACb,KAAKpC,QAAU,KAAKsC,cAAc5Q,OAClC,KAAK7C,KAAOA,EACZ,KAAKuT,SAAWA,EAChB,MACMW,SQvEUjY,iBAE3B,aADuB/C,EAAAA,EAAMmP,KAAI9L,EAAAA,EAAAA,gBAAe,iCAChCO,KAAKC,IAAID,IAC1B,CRmEoCqX,IACU5Y,MAAM2Y,GAAoBA,EAAgBE,MAAQb,EAASa,KAAOF,EAAgBlQ,QAAUuP,EAASvP,QACvI,GAAwB,OAApBkQ,EACA,MAAM,IAAIhT,MAAM,uCAEpB,KAAKqS,SAAWW,EAEyB,IAArCA,EAAgBN,UAAUlb,OAK9B,KAAK4a,QAAS,EAJV,KAAKe,UAKb,EAIAC,KAAAA,GACI,KAAKnD,QAAU,KAAKsC,cAAc5Q,OAClC,KAAKwQ,SAAU,EACf,KAAKrT,KAAO,KACZ,KAAKsT,QAAS,EACd,KAAKC,SAAW,IACpB,EAMApB,OAAAA,CAAQtP,GACJ,KAAKsO,QAAUtO,CACnB,EACA,cAAMwR,GACF,KAAKhB,SAAU,EACf,MAAMkB,EAAmB,IAAIC,IAAI9X,OAAOC,SAAStC,MAAMoa,aAAapM,IAAI,QAAU,IAE9E,KAAKoJ,iBAAmB,KAAKzR,OAC7B,KAAKzG,OAAOmb,KAAK,yBAA0B,CAAE1U,KAAM,KAAKA,KAAMwT,UAAW,KAAKD,UAAUC,YACxF,KAAKxT,KAAO,KAAKA,KAAO,KAAKuT,UAAUC,WAE3C,IACI,MAAMmB,QQnGY1Y,eAAe2Y,EAAUC,EAAcC,GAMxE,aALuB5b,EAAAA,EAAMuD,MAAKF,EAAAA,EAAAA,gBAAe,sCAAuC,CACvFqY,WACAC,eACAC,kBAEehY,KAAKC,IAAID,IAC1B,CR4FuCiY,EAAmBC,EAAAA,GAAAA,WAAW,GAAET,KAAoB,KAAKvU,QAAS,KAAK2T,kBAAkBpE,SAAU,KAAKoE,kBAAkBmB,cACjJ,KAAKvb,OAAOmJ,MAAM,mBAAoBiS,GACtC,MAAM/c,GAAQC,EAAAA,EAAAA,OAAkBC,KAAO,KACjCH,EAAO,IAAI2N,EAAAA,GAAK,CAClBrN,GAAI0c,EAAS9R,OACbrJ,QAAQqU,EAAAA,EAAAA,oBAAkBlM,EAAAA,GAAAA,MAAK,YAAa/J,EAAO+c,EAASpF,WAC5DxT,KAAO,UAASnE,IAChB8X,KAAMiF,EAASjF,KACfxJ,MAAO,IAAIC,KAAwB,IAAnBwO,EAASlF,SACzB7X,QACA+X,KAAMgF,EAAShF,KACf/W,YAAa+b,EAAS/b,YACtBwC,WAAY,IACLuZ,EACH,cAAeA,EAAS/E,eAIhCvW,EAAAA,EAAAA,IAAK,qBAAsB1B,GAE3B+E,OAAOiI,IAAIC,MAAMC,OAAOC,UAAU,KAClC,CAAE3M,KAAM,QAAS0K,OAAQlL,EAAKkL,QAAU,CAAEnJ,IAAK/B,EAAK+F,QAASuX,UAAU,IAEvE,KAAKX,OACT,CACA,MAAOhb,GACH,KAAKC,OAAOD,MAAM,kDAAmD,CAAEA,WACvE2D,EAAAA,EAAAA,IAAU,KAAK1E,EAAE,QAAS,2CAC9B,CAAC,QAEG,KAAK8a,SAAU,CACnB,CACJ,qBS7JJ,GAAU,CAAC,EAEf,GAAQtV,kBAAoB,IAC5B,GAAQC,cAAgB,IAElB,GAAQC,OAAS,SAAc,KAAM,QAE3C,GAAQC,OAAS,IACjB,GAAQC,mBAAqB,IAEhB,IAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OCP1D,UAXgB,QACd,IVTW,WAAkB,IAAIkU,EAAIzY,KAAK0Y,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAM0C,YAAoB5C,EAAIgB,OAAQf,EAAG,UAAU,CAACE,YAAY,mBAAmBC,MAAM,CAAC,oBAAoB,EAAE,KAAO,SAASE,GAAG,CAAC,MAAQN,EAAIgC,QAAQ,CAAC/B,EAAG,OAAO,CAACE,YAAY,yBAAyBqB,MAAOxB,EAAIwB,MAAOlB,GAAG,CAAC,OAAS,SAASuC,GAAyD,OAAjDA,EAAOC,iBAAiBD,EAAOE,kBAAyB/C,EAAI+B,SAAS5L,MAAM,KAAMtI,UAAU,IAAI,CAACoS,EAAG,KAAK,CAACD,EAAIO,GAAGP,EAAIS,GAAGT,EAAI/Z,EAAE,QAAS,6BAA8B,CAAEyH,KAAMsS,EAAIb,qBAAsBa,EAAIO,GAAG,KAAKN,EAAG,KAAK,CAACE,YAAY,0BAA0B,CAACF,EAAG,kBAAkBD,EAAIgD,GAAG,CAAC5C,MAAM,CAAC,QAAUJ,EAAInB,UAAYmB,EAAImB,cAAc5Q,QAAQ+P,GAAG,CAAC,MAAQN,EAAIH,UAAU,kBAAkBG,EAAImB,eAAc,IAAQnB,EAAIO,GAAG,KAAKP,EAAIiD,GAAIjD,EAAIiB,SAASK,WAAW,SAASC,GAAU,OAAOtB,EAAG,kBAAkBD,EAAIgD,GAAG,CAAC5Z,IAAImY,EAAShR,OAAO6P,MAAM,CAAC,QAAUJ,EAAInB,UAAY0C,EAAShR,OAAO,MAAQyP,EAAIiB,SAASjC,OAAOsB,GAAG,CAAC,MAAQN,EAAIH,UAAU,kBAAkB0B,GAAS,GAAO,KAAI,GAAGvB,EAAIO,GAAG,KAAKN,EAAG,MAAM,CAACE,YAAY,6BAA6B,CAACF,EAAG,QAAQ,CAACE,YAAY,UAAUC,MAAM,CAAC,KAAO,SAAS,aAAaJ,EAAI/Z,EAAE,QAAS,iDAAiDoa,SAAS,CAAC,MAAQL,EAAI/Z,EAAE,QAAS,iBAAiB+Z,EAAIO,GAAG,KAAMP,EAAIe,QAASd,EAAG,iBAAiB,CAACE,YAAY,4BAA4BC,MAAM,CAAC,KAAO,iBAAiB,CAACJ,EAAIO,GAAG,SAASP,EAAIS,GAAGT,EAAI/Z,EAAE,QAAS,kBAAkB,UAAU+Z,EAAIkD,MAAM,GAAGlD,EAAIkD,IACz6C,GACsB,IUUpB,EACA,KACA,WACA,MAI8B,QCL1Bjc,IAASnC,EAAAA,EAAAA,MACVC,OAAO,SACPC,aACAC,QAELoG,EAAAA,QAAI8X,MAAM,CACNxO,QAAS,CACL1O,EAAC,KACD6H,EAACA,EAAAA,MAIT,MAAMsV,GAAqBxb,SAASC,cAAc,OAClDub,GAAmBzd,GAAK,kBACxBiC,SAAS0S,KAAK+I,YAAYD,IAE1B,IAAI9B,IAAYgC,EAAAA,GAAAA,GAAU,QAAS,YAAa,IAC5CC,IAAgBD,EAAAA,GAAAA,GAAU,QAAS,kBAAkB,GACzDrc,GAAOmJ,MAAM,sBAAuB,CAAEkR,eACtCra,GAAOmJ,MAAM,mBAAoB,CAAEmT,mBAEnC,MACMC,GAAiB,IADVnY,EAAAA,QAAIqV,OAAO+C,IACD,CAAS,CAC5B/V,KAAM,iBACNgW,UAAW,CACPzc,OAAMA,MAGduc,GAAeG,OAAO,oBACjBJ,KACDtc,GAAOmJ,MAAM,qCACbwT,EAAAA,EAAAA,IAAoB,CAChBje,GAAI,kBACJC,aAAaK,EAAAA,EAAAA,IAAE,QAAS,+BACxBC,uJACAsB,MAAO,GACPrB,QAAQ+M,GAEAA,EAAQ5N,SAAUC,EAAAA,EAAAA,OAAkBC,KAGa,IAA7C0N,EAAQ5M,YAAcG,EAAAA,GAAWqK,QAE7CqC,OAAAA,CAAQD,EAASE,GAEb,MAAMC,EAAeD,EAAQ/M,KAAKhB,GAASA,EAAKsD,WAC1C+E,EAAOD,IAAcxH,EAAAA,EAAAA,IAAE,QAAS,aAAcoN,GAEpDwQ,GAAoB3Q,EAASxF,IAE7BoW,EAAAA,EAAAA,IAAuB,kBAC3B,KAIRxC,GAAU7L,SAAQ,CAACwL,EAAUhS,MACzB2U,EAAAA,EAAAA,IAAoB,CAChBje,GAAK,gBAAesb,EAASa,OAAO7S,IACpCrJ,YAAaqb,EAASvP,MAEtBqS,UAAW9C,EAAS8C,WAAa,YACjC5d,QAAQ+M,GACiD,IAA7CA,EAAQ5M,YAAcG,EAAAA,GAAWqK,QAE7CtJ,MAAO,GACP2L,OAAAA,CAAQD,EAASE,GAEb,MAAMC,EAAeD,EAAQ/M,KAAKhB,GAASA,EAAKsD,WAC1C+E,EAAOD,GAAcwT,EAASvP,MAAQuP,EAASC,UAAW7N,GAEhEmQ,GAAezQ,KAAKrF,EAAMuT,EAC9B,GACF,IAGN,MAAM4C,GAAsBla,eAAgBqa,EAAWtW,GACnD,MAAM6U,GAAelT,EAAAA,GAAAA,MAAK2U,EAAUja,KAAM2D,GAC1C,IACIzG,GAAOmJ,MAAM,uCAAwC,CAAEmS,iBACvD,MAAMtS,QAAiBrJ,EAAAA,EAAMuD,MAAKF,EAAAA,EAAAA,gBAAe,oCAAqC,CAClFsY,eACA0B,qBAAqB,IAGzB7Z,OAAOiI,IAAIC,MAAMC,OAAOC,UAAU,KAClC,CAAE3M,KAAM,QAAS0K,YAAQlH,GAAa,CAAEjC,IAAKmb,IAC7CjB,GAAYrR,EAASzF,KAAKC,IAAID,KAAK8W,UACnCiC,GAAgBtT,EAASzF,KAAKC,IAAID,KAAK0Z,aAC3C,CACA,MAAOld,GACHC,GAAOD,MAAM,iDACb2D,EAAAA,EAAAA,KAAU1E,EAAAA,EAAAA,IAAE,QAAS,gDACzB,CACJ,GCnEAke,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,KAEnBjB,EAAAA,EAAAA,IAAoBkB,IdtBpB,MAEI,MAAMC,GAAkBzB,EAAAA,GAAAA,GAAU,QAAS,kBAAmB,IACxD0B,EAAuBD,EAAgB1e,KAAI,CAACsN,EAAQ1E,IAAUgP,GAA2BtK,EAAQ1E,KACvGhI,EAAOmJ,MAAM,4BAA6B,CAAE2U,oBAC5C,MAAME,GAAaC,EAAAA,EAAAA,MACnBD,EAAWE,SAAS,IAAIjH,EAAAA,GAAK,CACzBvY,GAAI,YACJ+H,MAAMzH,EAAAA,EAAAA,IAAE,QAAS,aACjBmf,SAASnf,EAAAA,EAAAA,IAAE,QAAS,wCACpBof,YAAYpf,EAAAA,EAAAA,IAAE,QAAS,oBACvBqf,cAAcrf,EAAAA,EAAAA,IAAE,QAAS,4DACzB0L,KAAMrG,EACN9D,MAAO,EACP8W,QAAS,GACTX,YAAWA,MAEfqH,EAAqBvP,SAAQ5P,GAAQof,EAAWE,SAAStf,MAIzD0f,EAAAA,EAAAA,IAAU,yBAA0BlgB,IAC5BA,EAAKiE,OAASC,EAAAA,GAASC,SAIT,OAAdnE,EAAK0E,MAAkB1E,EAAKoE,MAAMC,WAAW,UAIjD8b,EAAengB,GAHX4B,EAAOD,MAAM,gDAAiD,CAAE3B,SAGhD,KAKxBkgB,EAAAA,EAAAA,IAAU,2BAA4BlgB,IAC9BA,EAAKiE,OAASC,EAAAA,GAASC,SAIT,OAAdnE,EAAK0E,MAAkB1E,EAAKoE,MAAMC,WAAW,UAIjD+b,EAAwBpgB,EAAK0E,MAHzB9C,EAAOD,MAAM,gDAAiD,CAAE3B,SAGlC,IAMtC,MAAMqgB,EAAqB,WACvBX,EAAgBY,MAAK,CAAChJ,EAAGC,IAAMD,EAAE5S,KAAK6b,cAAchJ,EAAE7S,MAAM8b,EAAAA,EAAAA,MAAe,CAAEC,mBAAmB,MAChGf,EAAgBtP,SAAQ,CAAC9B,EAAQ1E,KAC7B,MAAMpJ,EAAOmf,EAAqB/b,MAAMpD,GAASA,EAAKF,KAAOwY,GAAmBxK,EAAO5J,QACnFlE,IACAA,EAAK2B,MAAQyH,EACjB,GAER,EAEMuW,EAAiB,SAAUngB,GAC7B,MAAM0gB,EAAoB,CAAEhc,KAAM1E,EAAK0E,KAAMwG,OAAQlL,EAAKkL,QACpD1K,EAAOoY,GAA2B8H,GAEpChB,EAAgB9b,MAAM0K,GAAWA,EAAO5J,OAAS1E,EAAK0E,SAI1Dgb,EAAgBtT,KAAKsU,GACrBf,EAAqBvT,KAAK5L,GAE1B6f,IACAT,EAAWE,SAAStf,GACxB,EAEM4f,EAA0B,SAAU1b,GACtC,MAAMpE,EAAKwY,GAAmBpU,GACxBkF,EAAQ8V,EAAgBiB,WAAWrS,GAAWA,EAAO5J,OAASA,KAErD,IAAXkF,IAIJ8V,EAAgBkB,OAAOhX,EAAO,GAC9B+V,EAAqBiB,OAAOhX,EAAO,GAEnCgW,EAAWiB,OAAOvgB,GAClB+f,IACJ,CACH,EcjEDS,IC3BuBjB,EAAAA,EAAAA,MACRC,SAAS,IAAIjH,EAAAA,GAAK,CACzBvY,GAAI,QACJ+H,MAAMzH,EAAAA,EAAAA,IAAE,QAAS,aACjBmf,SAASnf,EAAAA,EAAAA,IAAE,QAAS,mCACpB0L,KAAMQ,GACN3K,MAAO,EACPmW,YjBImB,WAAgB,IAAf5T,EAAI8D,UAAAzH,OAAA,QAAAiD,IAAAwE,UAAA,GAAAA,UAAA,GAAG,IAC/B,MAAMuY,EAAa,IAAIC,gBACjBzI,GAAkB9N,EAAAA,EAAAA,MACxB,OAAO,IAAIwW,GAAAA,mBAAkB3c,MAAOuH,EAASC,EAAQoV,KACjDA,GAAS,IAAMH,EAAWI,UAC1B,IACI,MAAM1I,QAAyB5O,GAAOQ,qBAAqB3F,EAAM,CAC7D8F,SAAS,EACTrF,KAAMoT,EACNG,aAAa,EACbnD,OAAQwL,EAAWxL,SAEjBnR,EAAOqU,EAAiBtT,KAAK,GAC7BwT,EAAWF,EAAiBtT,KAAK4M,MAAM,GAC7C,GAAI3N,EAAKwT,WAAalT,EAClB,MAAM,IAAI6E,MAAM,2CAEpBsC,EAAQ,CACJyC,OAAQmJ,GAAarT,GACrBuU,SAAUA,EAAS3X,KAAI6D,IACnB,IACI,OAAO4S,GAAa5S,EACxB,CACA,MAAOlD,GAEH,OADAC,EAAOD,MAAO,0BAAyBkD,EAAOvB,YAAa,CAAE3B,UACtD,IACX,KACDwJ,OAAOC,UAElB,CACA,MAAOzJ,GACHmK,EAAOnK,EACX,IAER,MkB7CuBke,EAAAA,EAAAA,MACRC,SAAS,IAAIjH,EAAAA,GAAK,CACzBvY,GAAI,SACJ+H,MAAMzH,EAAAA,EAAAA,IAAE,QAAS,UACjBmf,SAASnf,EAAAA,EAAAA,IAAE,QAAS,gDACpBof,YAAYpf,EAAAA,EAAAA,IAAE,QAAS,8BACvBqf,cAAcrf,EAAAA,EAAAA,IAAE,QAAS,8DACzB0L,6UACAnK,MAAO,EACPif,eAAgB,QAChB9I,YfhCmBhU,iBAAsB,IAAfI,EAAI8D,UAAAzH,OAAA,QAAAiD,IAAAwE,UAAA,GAAAA,UAAA,GAAG,IACrC,MAWMmQ,SAXyB9O,GAAOQ,qBAAqB3F,EAAM,CAC7D8F,SAAS,EACTrF,MAAMkc,EAAAA,EAAAA,IAAmBnI,IACzBhL,QAAS,CAEL7E,OAAQ,SAER,eAAgB,kCAEpBiY,MAAM,KAEwBnc,KAClC,MAAO,CACHmJ,OAAQ,IAAInK,EAAAA,GAAO,CACf7D,GAAI,EACJuB,OAAS,GAAE0f,EAAAA,KAAetX,EAAAA,KAC1B7F,KAAM6F,EAAAA,GACNhK,OAAOC,EAAAA,EAAAA,OAAkBC,KAAO,KAChCc,YAAaG,EAAAA,GAAWoC,OAE5BmV,SAAUA,EAAS3X,KAAKwgB,IAAM9W,EAAAA,EAAAA,IAAgB8W,KAEtD,KgBFK,kBAAmBC,UAEtB1c,OAAO2c,iBAAiB,QAAQpd,UAC/B,IACC,MAAMjC,GAAMa,EAAAA,EAAAA,aAAY,wCAAyC,CAAC,EAAG,CAAEye,WAAW,IAC5EC,QAAqBH,UAAUI,cAAc/B,SAASzd,EAAK,CAAEyB,MAAO,MAC1ElC,EAAOmJ,MAAM,kBAAmB,CAAE6W,gBACnC,CAAE,MAAOjgB,GACRC,EAAOD,MAAM,2BAA4B,CAAEA,SAC5C,KAGDC,EAAOmJ,MAAM,mDHqBf+W,EAAAA,EAAAA,IAAoB,YAAa,CAAE1P,GAAI,6BInCnC0P,EAAAA,EAAAA,IAAoB,+BAAgC,CAAE1P,GAAI,uCCvB9D2P,EAAOC,QAAU,CACf,IAAO,WACP,IAAO,sBACP,IAAO,aACP,IAAO,KACP,IAAO,UACP,IAAO,WACP,IAAO,gCACP,IAAO,aACP,IAAO,gBACP,IAAO,kBACP,IAAO,eACP,IAAO,mBACP,IAAO,UACP,IAAO,mBACP,IAAO,oBACP,IAAO,QACP,IAAO,YACP,IAAO,eACP,IAAO,YACP,IAAO,qBACP,IAAO,qBACP,IAAO,cACP,IAAO,eACP,IAAO,mBACP,IAAO,YACP,IAAO,YACP,IAAO,qBACP,IAAO,iBACP,IAAO,gCACP,IAAO,kBACP,IAAO,WACP,IAAO,OACP,IAAO,kBACP,IAAO,sBACP,IAAO,oBACP,IAAO,eACP,IAAO,yBACP,IAAO,wBACP,IAAO,qBACP,IAAO,eACP,IAAO,sBACP,IAAO,uBACP,IAAO,SACP,IAAO,oBACP,IAAO,uBACP,IAAO,mBACP,IAAO,wBACP,IAAO,oBACP,IAAO,kCACP,IAAO,gCACP,IAAO,wBACP,IAAO,kBACP,IAAO,cACP,IAAO,sBACP,IAAO,kBACP,IAAO,6BACP,IAAO,0BACP,IAAO,uBACP,IAAO,gBACP,IAAO,2BACP,IAAO,eACP,IAAO,6DC9DT,6BAAmD,OAAOC,EAAU,mBAAqBC,QAAU,iBAAmBA,OAAOC,SAAW,SAAU3O,GAAO,cAAcA,CAAK,EAAI,SAAUA,GAAO,OAAOA,GAAO,mBAAqB0O,QAAU1O,EAAI/D,cAAgByS,QAAU1O,IAAQ0O,OAAOzO,UAAY,gBAAkBD,CAAK,EAAGyO,EAAQzO,EAAM,CActT,oBAAf5E,WAA6BA,WAA6B,oBAATD,MAAuBA,KAV1D,EAUuE,SAAUyT,GACvG,aAYA,SAASC,EAAgBC,EAAGC,GAA6I,OAAxIF,EAAkBnS,OAAO4D,eAAiB5D,OAAO4D,eAAehF,OAAS,SAAyBwT,EAAGC,GAAsB,OAAjBD,EAAEE,UAAYD,EAAUD,CAAG,EAAUD,EAAgBC,EAAGC,EAAI,CAEvM,SAASE,EAAaC,GAAW,IAAIC,EAMrC,WAAuC,GAAuB,oBAAZC,UAA4BA,QAAQC,UAAW,OAAO,EAAO,GAAID,QAAQC,UAAUC,KAAM,OAAO,EAAO,GAAqB,mBAAVC,MAAsB,OAAO,EAAM,IAAsF,OAAhF3X,QAAQqI,UAAUuP,QAAQtP,KAAKkP,QAAQC,UAAUzX,QAAS,IAAI,WAAa,MAAY,CAAM,CAAE,MAAOwB,GAAK,OAAO,CAAO,CAAE,CANvQqW,GAA6B,OAAO,WAAkC,IAAsCpe,EAAlCqe,EAAQC,EAAgBT,GAAkB,GAAIC,EAA2B,CAAE,IAAIS,EAAYD,EAAgBjhB,MAAMuN,YAAa5K,EAAS+d,QAAQC,UAAUK,EAAO1a,UAAW4a,EAAY,MAASve,EAASqe,EAAMpS,MAAM5O,KAAMsG,WAAc,OAEpX,SAAoCmG,EAAM+E,GAAQ,GAAIA,IAA2B,WAAlBuO,EAAQvO,IAAsC,mBAATA,GAAwB,OAAOA,EAAa,QAAa,IAATA,EAAmB,MAAM,IAAI2P,UAAU,4DAA+D,OAE1P,SAAgC1U,GAAQ,QAAa,IAATA,EAAmB,MAAM,IAAI2U,eAAe,6DAAgE,OAAO3U,CAAM,CAF4F4U,CAAuB5U,EAAO,CAF4F6U,CAA2BthB,KAAM2C,EAAS,CAAG,CAQxa,SAASse,EAAgBb,GAA+J,OAA1Ja,EAAkBjT,OAAO4D,eAAiB5D,OAAOyD,eAAe7E,OAAS,SAAyBwT,GAAK,OAAOA,EAAEE,WAAatS,OAAOyD,eAAe2O,EAAI,EAAUa,EAAgBb,EAAI,CAEnN,SAASmB,EAA2BnB,EAAGoB,GAAkB,IAAIC,EAAuB,oBAAXzB,QAA0BI,EAAEJ,OAAOC,WAAaG,EAAE,cAAe,IAAKqB,EAAI,CAAE,GAAIpf,MAAM+P,QAAQgO,KAAOqB,EAE9K,SAAqCrB,EAAGsB,GAAU,GAAKtB,EAAL,CAAgB,GAAiB,iBAANA,EAAgB,OAAOuB,EAAkBvB,EAAGsB,GAAS,IAAInb,EAAIyH,OAAOuD,UAAUzQ,SAAS0Q,KAAK4O,GAAGvQ,MAAM,GAAI,GAAiE,MAAnD,WAANtJ,GAAkB6Z,EAAE7S,cAAahH,EAAI6Z,EAAE7S,YAAYpH,MAAgB,QAANI,GAAqB,QAANA,EAAoBlE,MAAMuf,KAAKxB,GAAc,cAAN7Z,GAAqB,2CAA2CyJ,KAAKzJ,GAAWob,EAAkBvB,EAAGsB,QAAzG,CAA7O,CAA+V,CAF5OG,CAA4BzB,KAAOoB,GAAkBpB,GAAyB,iBAAbA,EAAEvhB,OAAqB,CAAM4iB,IAAIrB,EAAIqB,GAAI,IAAIhb,EAAI,EAAOqb,EAAI,WAAc,EAAG,MAAO,CAAEC,EAAGD,EAAGvb,EAAG,WAAe,OAAIE,GAAK2Z,EAAEvhB,OAAe,CAAEmjB,MAAM,GAAe,CAAEA,MAAM,EAAO/O,MAAOmN,EAAE3Z,KAAQ,EAAGiE,EAAG,SAAWiR,GAAM,MAAMA,CAAI,EAAGsG,EAAGH,EAAK,CAAE,MAAM,IAAIX,UAAU,wIAA0I,CAAE,IAA6Ce,EAAzCC,GAAmB,EAAMC,GAAS,EAAY,MAAO,CAAEL,EAAG,WAAeN,EAAKA,EAAGjQ,KAAK4O,EAAI,EAAG7Z,EAAG,WAAe,IAAI8b,EAAOZ,EAAGa,OAAsC,OAA9BH,EAAmBE,EAAKL,KAAaK,CAAM,EAAG3X,EAAG,SAAW6X,GAAOH,GAAS,EAAMF,EAAMK,CAAK,EAAGN,EAAG,WAAe,IAAWE,GAAiC,MAAbV,EAAGe,QAAgBf,EAAGe,QAAU,CAAE,QAAU,GAAIJ,EAAQ,MAAMF,CAAK,CAAE,EAAK,CAIr+B,SAASP,EAAkBc,EAAKC,IAAkB,MAAPA,GAAeA,EAAMD,EAAI5jB,UAAQ6jB,EAAMD,EAAI5jB,QAAQ,IAAK,IAAI4H,EAAI,EAAGkc,EAAO,IAAItgB,MAAMqgB,GAAMjc,EAAIic,EAAKjc,IAAOkc,EAAKlc,GAAKgc,EAAIhc,GAAM,OAAOkc,CAAM,CAEtL,SAASC,EAAgBC,EAAUC,GAAe,KAAMD,aAAoBC,GAAgB,MAAM,IAAI3B,UAAU,oCAAwC,CAExJ,SAAS4B,EAAkB9a,EAAQuN,GAAS,IAAK,IAAI/O,EAAI,EAAGA,EAAI+O,EAAM3W,OAAQ4H,IAAK,CAAE,IAAIuc,EAAaxN,EAAM/O,GAAIuc,EAAWC,WAAaD,EAAWC,aAAc,EAAOD,EAAWE,cAAe,EAAU,UAAWF,IAAYA,EAAWG,UAAW,GAAMnV,OAAOoV,eAAenb,EAAQ+a,EAAWnhB,IAAKmhB,EAAa,CAAE,CAE5T,SAASK,EAAaP,EAAaQ,EAAYC,GAAyN,OAAtMD,GAAYP,EAAkBD,EAAYvR,UAAW+R,GAAiBC,GAAaR,EAAkBD,EAAaS,GAAcvV,OAAOoV,eAAeN,EAAa,YAAa,CAAEK,UAAU,IAAiBL,CAAa,CAE5R,SAASU,EAAgBlS,EAAKzP,EAAKoR,GAAiK,OAApJpR,KAAOyP,EAAOtD,OAAOoV,eAAe9R,EAAKzP,EAAK,CAAEoR,MAAOA,EAAOgQ,YAAY,EAAMC,cAAc,EAAMC,UAAU,IAAkB7R,EAAIzP,GAAOoR,EAAgB3B,CAAK,CAEhN,SAASmS,EAA2BnS,EAAKoS,EAAYzQ,IAErD,SAAoC3B,EAAKqS,GAAqB,GAAIA,EAAkBC,IAAItS,GAAQ,MAAM,IAAI6P,UAAU,iEAAqE,EAF3H0C,CAA2BvS,EAAKoS,GAAaA,EAAWI,IAAIxS,EAAK2B,EAAQ,CAIvI,SAAS8Q,EAAsBC,EAAUN,GAA0F,OAEnI,SAAkCM,EAAUhB,GAAc,OAAIA,EAAWxU,IAAcwU,EAAWxU,IAAIgD,KAAKwS,GAAoBhB,EAAW/P,KAAO,CAFPgR,CAAyBD,EAA3FE,EAA6BF,EAAUN,EAAY,OAA+D,CAI1L,SAASS,EAAsBH,EAAUN,EAAYzQ,GAA4I,OAIjM,SAAkC+Q,EAAUhB,EAAY/P,GAAS,GAAI+P,EAAWc,IAAOd,EAAWc,IAAItS,KAAKwS,EAAU/Q,OAAe,CAAE,IAAK+P,EAAWG,SAAY,MAAM,IAAIhC,UAAU,4CAA+C6B,EAAW/P,MAAQA,CAAO,CAAE,CAJvHmR,CAAyBJ,EAApFE,EAA6BF,EAAUN,EAAY,OAAuDzQ,GAAeA,CAAO,CAE/M,SAASiR,EAA6BF,EAAUN,EAAYxlB,GAAU,IAAKwlB,EAAWE,IAAII,GAAa,MAAM,IAAI7C,UAAU,gBAAkBjjB,EAAS,kCAAqC,OAAOwlB,EAAWlV,IAAIwV,EAAW,CA9C5NhW,OAAOoV,eAAelD,EAAU,aAAc,CAC5CjN,OAAO,IAETiN,EAASnB,uBAAoB,EAC7BmB,EAASmE,WAAaA,EACtBnE,EAAShV,aAAU,EACnBgV,EAASoE,oBAAsBA,EA4C/B,IAAIC,EAAgC,oBAAXvE,OAAyBA,OAAOuE,YAAc,gBAEnEC,EAA0B,IAAIC,QAE9BC,EAAwB,IAAID,QAE5BE,EAAyC,WAC3C,SAASA,EAA0BC,GACjC,IAAIC,EAAgBD,EAAKE,SACrBA,OAA6B,IAAlBD,EAA2B,WAAa,EAAIA,EACvDE,EAAiBH,EAAKI,UACtBA,OAA+B,IAAnBD,EAmNX,CACLE,YAAY,EACZC,aAAc,IArNmDH,EAC7DI,EAAeP,EAAKQ,QACpBA,OAA2B,IAAjBD,EAA0B,IAAIrlB,SAAQ,SAAU6J,EAASC,GACrE,OAAOkb,EAASnb,EAASC,GAAQ,SAAUoV,GACzCgG,EAAUE,aAAahb,KAAK8U,EAC9B,GACF,IAAKmG,EAELvC,EAAgB5iB,KAAM2kB,GAEtBlB,EAA2BzjB,KAAMwkB,EAAY,CAC3CrB,UAAU,EACVlQ,WAAO,IAGTwQ,EAA2BzjB,KAAM0kB,EAAU,CACzCvB,UAAU,EACVlQ,WAAO,IAGTuQ,EAAgBxjB,KAAMukB,EAAa,qBAEnCvkB,KAAKqlB,OAASrlB,KAAKqlB,OAAOzY,KAAK5M,MAE/BmkB,EAAsBnkB,KAAMwkB,EAAYQ,GAExCb,EAAsBnkB,KAAM0kB,EAAUU,GAAW,IAAItlB,SAAQ,SAAU6J,EAASC,GAC9E,OAAOkb,EAASnb,EAASC,GAAQ,SAAUoV,GACzCgG,EAAUE,aAAahb,KAAK8U,EAC9B,GACF,IACF,CAsEA,OApEAqE,EAAasB,EAA2B,CAAC,CACvC9iB,IAAK,OACLoR,MAAO,SAAcqS,EAAaC,GAChC,OAAOC,EAAezB,EAAsB/jB,KAAM0kB,GAAUe,KAAKC,EAAeJ,EAAavB,EAAsB/jB,KAAMwkB,IAAckB,EAAeH,EAAYxB,EAAsB/jB,KAAMwkB,KAAeT,EAAsB/jB,KAAMwkB,GAC3O,GACC,CACD3iB,IAAK,QACLoR,MAAO,SAAgBsS,GACrB,OAAOC,EAAezB,EAAsB/jB,KAAM0kB,GAAUja,MAAMib,EAAeH,EAAYxB,EAAsB/jB,KAAMwkB,KAAeT,EAAsB/jB,KAAMwkB,GACtK,GACC,CACD3iB,IAAK,UACLoR,MAAO,SAAkB0S,EAAWC,GAClC,IAAIlX,EAAQ1O,KAMZ,OAJI4lB,GACF7B,EAAsB/jB,KAAMwkB,GAAYU,aAAahb,KAAKyb,GAGrDH,EAAezB,EAAsB/jB,KAAM0kB,GAAUmB,QAAQH,GAAe,WACjF,GAAIC,EAOF,OANIC,IACF7B,EAAsBrV,EAAO8V,GAAYU,aAAenB,EAAsBrV,EAAO8V,GAAYU,aAAajc,QAAO,SAAUqB,GAC7H,OAAOA,IAAaqb,CACtB,KAGKA,GAEX,GAAG5B,EAAsB/jB,KAAMwkB,KAAeT,EAAsB/jB,KAAMwkB,GAC5E,GACC,CACD3iB,IAAK,SACLoR,MAAO,WACL8Q,EAAsB/jB,KAAMwkB,GAAYS,YAAa,EAErD,IAAIa,EAAY/B,EAAsB/jB,KAAMwkB,GAAYU,aAExDnB,EAAsB/jB,KAAMwkB,GAAYU,aAAe,GAEvD,IACIa,EADAC,EAAYzE,EAA2BuE,GAG3C,IACE,IAAKE,EAAUjE,MAAOgE,EAAQC,EAAUzf,KAAKyb,MAAO,CAClD,IAAI1X,EAAWyb,EAAM9S,MAErB,GAAwB,mBAAb3I,EACT,IACEA,GACF,CAAE,MAAO4X,GACP+D,EAAQxmB,MAAMyiB,EAChB,CAEJ,CACF,CAAE,MAAOA,GACP8D,EAAUtb,EAAEwX,EACd,CAAE,QACA8D,EAAU/D,GACZ,CACF,GACC,CACDpgB,IAAK,aACLoR,MAAO,WACL,OAA8D,IAAvD8Q,EAAsB/jB,KAAMwkB,GAAYS,UACjD,KAGKN,CACT,CA3G6C,GA6GzC5F,EAAiC,SAAUmH,IA7J/C,SAAmBC,EAAUC,GAAc,GAA0B,mBAAfA,GAA4C,OAAfA,EAAuB,MAAM,IAAIjF,UAAU,sDAAyDgF,EAAS5U,UAAYvD,OAAOqY,OAAOD,GAAcA,EAAW7U,UAAW,CAAEhE,YAAa,CAAE0F,MAAOkT,EAAUhD,UAAU,EAAMD,cAAc,KAAWlV,OAAOoV,eAAe+C,EAAU,YAAa,CAAEhD,UAAU,IAAciD,GAAYjG,EAAgBgG,EAAUC,EAAa,CA8JjcE,CAAUvH,EAAmBmH,GAE7B,IAAIK,EAAShG,EAAaxB,GAE1B,SAASA,EAAkB+F,GAGzB,OAFAlC,EAAgB5iB,KAAM+e,GAEfwH,EAAO/U,KAAKxR,KAAM,CACvB8kB,SAAUA,GAEd,CAEA,OAAOzB,EAAatE,EACtB,CAdqC,CAcnC4F,GAEFzE,EAASnB,kBAAoBA,EAE7ByE,EAAgBzE,EAAmB,OAAO,SAAayH,GACrD,OAAOC,EAAkBD,EAAU1mB,QAAQC,IAAIymB,GACjD,IAEAhD,EAAgBzE,EAAmB,cAAc,SAAoByH,GACnE,OAAOC,EAAkBD,EAAU1mB,QAAQ4mB,WAAWF,GACxD,IAEAhD,EAAgBzE,EAAmB,OAAO,SAAayH,GACrD,OAAOC,EAAkBD,EAAU1mB,QAAQ6mB,IAAIH,GACjD,IAEAhD,EAAgBzE,EAAmB,QAAQ,SAAcyH,GACvD,OAAOC,EAAkBD,EAAU1mB,QAAQ8mB,KAAKJ,GAClD,IAEAhD,EAAgBzE,EAAmB,WAAW,SAAiB9L,GAC7D,OAAOoR,EAAWvkB,QAAQ6J,QAAQsJ,GACpC,IAEAuQ,EAAgBzE,EAAmB,UAAU,SAAgB8H,GAC3D,OAAOxC,EAAWvkB,QAAQ8J,OAAOid,GACnC,IAEArD,EAAgBzE,EAAmB,eAAgBuF,GAEnD,IAAIwC,EAAW/H,EAGf,SAASsF,EAAWe,GAClB,OAAOI,EAAeJ,EA2Df,CACLH,YAAY,EACZC,aAAc,IA5DlB,CAEA,SAASZ,EAAoBc,GAC3B,OAAOA,aAAmBrG,GAAqBqG,aAAmBT,CACpE,CAEA,SAASe,EAAeqB,EAAU/B,GAChC,GAAI+B,EACF,OAAO,SAAUC,GACf,IAAKhC,EAAUC,WAAY,CACzB,IAAItiB,EAASokB,EAASC,GAMtB,OAJI1C,EAAoB3hB,IACtBqiB,EAAUE,aAAahb,KAAKvH,EAAO0iB,QAG9B1iB,CACT,CAEA,OAAOqkB,CACT,CAEJ,CAEA,SAASxB,EAAeJ,EAASJ,GAC/B,OAAO,IAAIL,EAA0B,CACnCK,UAAWA,EACXI,QAASA,GAEb,CAEA,SAASqB,EAAkBD,EAAUpB,GACnC,IAAIJ,EA0BG,CACLC,YAAY,EACZC,aAAc,IAThB,OAlBAF,EAAUE,aAAahb,MAAK,WAC1B,IACI+c,EADAC,EAAa3F,EAA2BiF,GAG5C,IACE,IAAKU,EAAWnF,MAAOkF,EAASC,EAAW3gB,KAAKyb,MAAO,CACrD,IAAImF,EAAaF,EAAOhU,MAEpBqR,EAAoB6C,IACtBA,EAAW9B,QAEf,CACF,CAAE,MAAOnD,GACPgF,EAAWxc,EAAEwX,EACf,CAAE,QACAgF,EAAWjF,GACb,CACF,IACO,IAAI0C,EAA0B,CACnCK,UAAWA,EACXI,QAASA,GAEb,CA3DAlF,EAAShV,QAAU4b,CAmErB,OAlS+B,iBAApB,CAAC,OAAmB,4HCA3BM,EAAgC,IAAIzM,IAAI,cACxC0M,EAAgC,IAAI1M,IAAI,cACxC2M,EAA0B,IAA4B,KACtDC,EAAqC,IAAgCH,GACrEI,EAAqC,IAAgCH,GAEzEC,EAAwBpd,KAAK,CAAC2V,EAAOzhB,GAAI,0hEAiEfmpB,+oCAyCAC,0zMAoQvB,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,8DAA8D,MAAQ,GAAG,SAAW,s1FAAs1F,eAAiB,CAAC,0/TAA0/T,WAAa,MAEj+Z,4FCvXIF,QAA0B,GAA4B,KAE1DA,EAAwBpd,KAAK,CAAC2V,EAAOzhB,GAAI,ksCAAmsC,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,6DAA6D,MAAQ,GAAG,SAAW,uYAAuY,eAAiB,CAAC,k7CAAk7C,WAAa,MAElrG,4FCJIkpB,QAA0B,GAA4B,KAE1DA,EAAwBpd,KAAK,CAAC2V,EAAOzhB,GAAI,+hCAAgiC,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,uDAAuD,MAAQ,GAAG,SAAW,sVAAsV,eAAiB,CAAC,u3CAAu3C,WAAa,MAE75F,2BCPA,IAAIqpB,EAAO,EAAQ,MACftnB,EAAM,EAAQ,MAEdunB,EAAQ7H,EAAOC,QAEnB,IAAK,IAAIje,KAAO4lB,EACVA,EAAKrZ,eAAevM,KAAM6lB,EAAM7lB,GAAO4lB,EAAK5lB,IAalD,SAAS8lB,EAAgB9Q,GAOvB,GANsB,iBAAXA,IACTA,EAAS1W,EAAIsB,MAAMoV,IAEhBA,EAAOjD,WACViD,EAAOjD,SAAW,UAEI,WAApBiD,EAAOjD,SACT,MAAM,IAAIvM,MAAM,aAAewP,EAAOjD,SAAW,sCAEnD,OAAOiD,CACT,CArBA6Q,EAAMzS,QAAU,SAAU4B,EAAQ+Q,GAEhC,OADA/Q,EAAS8Q,EAAe9Q,GACjB4Q,EAAKxS,QAAQzD,KAAKxR,KAAM6W,EAAQ+Q,EACzC,EAEAF,EAAMlZ,IAAM,SAAUqI,EAAQ+Q,GAE5B,OADA/Q,EAAS8Q,EAAe9Q,GACjB4Q,EAAKjZ,IAAIgD,KAAKxR,KAAM6W,EAAQ+Q,EACrC,oBCjBA9H,EAAUD,EAAOC,QAAU,EAAjB,QACF+H,OAAS/H,EACjBA,EAAQgI,SAAWhI,EACnBA,EAAQiI,SAAW,EAAnB,OACAjI,EAAQkI,OAAS,EAAjB,OACAlI,EAAQmI,UAAY,EAApB,OACAnI,EAAQoI,YAAc,EAAtB,OACApI,EAAQqI,SAAW,EAAnB,MACArI,EAAQsI,SAAW,EAAnB,uBCRA,IAAIC,EAAgB,EAAQ,OACxB3f,EAAW,EAAQ,OACnByQ,EAAS,EAAQ,OACjBmP,EAAc,EAAQ,OACtBnoB,EAAM,EAAQ,MAEdsnB,EAAO3H,EAEX2H,EAAKxS,QAAU,SAAUjG,EAAM4Y,GAE7B5Y,EADmB,iBAATA,EACH7O,EAAIsB,MAAMuN,GAEVmK,EAAOnK,GAKf,IAAIuZ,GAAoE,IAAlD,EAAAC,EAAO1lB,SAAS8Q,SAAS6U,OAAO,aAAsB,QAAU,GAElF7U,EAAW5E,EAAK4E,UAAY2U,EAC5BxlB,EAAOiM,EAAK0Z,UAAY1Z,EAAKjM,KAC7B4lB,EAAO3Z,EAAK2Z,KACZnmB,EAAOwM,EAAKxM,MAAQ,IAGpBO,IAA+B,IAAvBA,EAAK6M,QAAQ,OACxB7M,EAAO,IAAMA,EAAO,KAGrBiM,EAAK7O,KAAO4C,EAAQ6Q,EAAW,KAAO7Q,EAAQ,KAAO4lB,EAAO,IAAMA,EAAO,IAAMnmB,EAC/EwM,EAAK7H,QAAU6H,EAAK7H,QAAU,OAAO2I,cACrCd,EAAKhD,QAAUgD,EAAKhD,SAAW,CAAC,EAIhC,IAAI4c,EAAM,IAAIP,EAAcrZ,GAG5B,OAFI4Y,GACHgB,EAAI7P,GAAG,WAAY6O,GACbgB,CACR,EAEAnB,EAAKjZ,IAAM,SAAcQ,EAAM4Y,GAC9B,IAAIgB,EAAMnB,EAAKxS,QAAQjG,EAAM4Y,GAE7B,OADAgB,EAAIC,MACGD,CACR,EAEAnB,EAAKY,cAAgBA,EACrBZ,EAAKqB,gBAAkBpgB,EAASogB,gBAEhCrB,EAAKsB,MAAQ,WAAa,EAC1BtB,EAAKsB,MAAMC,kBAAoB,EAE/BvB,EAAKwB,YAAc,IAAIxB,EAAKsB,MAE5BtB,EAAKyB,aAAeZ,EAEpBb,EAAK0B,QAAU,CACd,WACA,UACA,OACA,SACA,MACA,OACA,OACA,WACA,QACA,aACA,QACA,OACA,SACA,UACA,QACA,OACA,WACA,YACA,QACA,MACA,SACA,SACA,YACA,QACA,SACA,+BC1ED,IAAIC,EACJ,SAASC,IAER,QAAYvnB,IAARsnB,EAAmB,OAAOA,EAE9B,GAAI,EAAAZ,EAAOc,eAAgB,CAC1BF,EAAM,IAAI,EAAAZ,EAAOc,eAIjB,IACCF,EAAI5d,KAAK,MAAO,EAAAgd,EAAOe,eAAiB,IAAM,sBAC/C,CAAE,MAAM7e,GACP0e,EAAM,IACP,CACD,MAECA,EAAM,KAEP,OAAOA,CACR,CAEA,SAASI,EAAkBznB,GAC1B,IAAIqnB,EAAMC,IACV,IAAKD,EAAK,OAAO,EACjB,IAEC,OADAA,EAAIK,aAAe1nB,EACZqnB,EAAIK,eAAiB1nB,CAC7B,CAAE,MAAO2I,GAAI,CACb,OAAO,CACR,CAeA,SAASgf,EAAYzW,GACpB,MAAwB,mBAAVA,CACf,CAxDA6M,EAAQnT,MAAQ+c,EAAW,EAAAlB,EAAO7b,QAAU+c,EAAW,EAAAlB,EAAOmB,gBAE9D7J,EAAQ8J,eAAiBF,EAAW,EAAAlB,EAAOqB,gBAE3C/J,EAAQgK,gBAAkBJ,EAAW,EAAAlB,EAAO1J,iBAuC5CgB,EAAQiK,YAAcjK,EAAQnT,OAAS6c,EAAiB,eAIxD1J,EAAQkK,UAAYlK,EAAQnT,OAAS6c,EAAiB,aACtD1J,EAAQmK,uBAAyBnK,EAAQnT,OAAS6c,EAAiB,2BAInE1J,EAAQoK,iBAAmBpK,EAAQnT,SAAU0c,KAAWK,EAAWL,IAASa,kBAM5Ed,EAAM,uDC1DFe,EAAa,EAAQ,MACrBC,EAAW,EAAQ,OACnB1hB,EAAW,EAAQ,OACnB2hB,EAAS,EAAQ,OAEjBvB,EAAkBpgB,EAASogB,gBAC3BwB,EAAU5hB,EAAS6hB,YAgBnBlC,EAAgBxI,EAAOC,QAAU,SAAU9Q,GAC9C,IAYIwb,EAZA/d,EAAOzM,KACXqqB,EAAOtC,SAASvW,KAAK/E,GAErBA,EAAKge,MAAQzb,EACbvC,EAAKie,MAAQ,GACbje,EAAKke,SAAW,CAAC,EACb3b,EAAK4b,MACRne,EAAKoe,UAAU,gBAAiB,SAAWC,EAAOlJ,KAAK5S,EAAK4b,MAAM9pB,SAAS,WAC5EkN,OAAOC,KAAKe,EAAKhD,SAASkC,SAAQ,SAAU/H,GAC3CsG,EAAKoe,UAAU1kB,EAAM6I,EAAKhD,QAAQ7F,GACnC,IAGA,IAAI4kB,GAAW,EACf,GAAkB,kBAAd/b,EAAKgc,MAA6B,mBAAoBhc,IAASmb,EAAWL,gBAE7EiB,GAAW,EACXP,GAAe,OACT,GAAkB,qBAAdxb,EAAKgc,KAGfR,GAAe,OACT,GAAkB,6BAAdxb,EAAKgc,KAEfR,GAAgBL,EAAWD,qBACrB,IAAKlb,EAAKgc,MAAsB,YAAdhc,EAAKgc,MAAoC,gBAAdhc,EAAKgc,KAIxD,MAAM,IAAI3jB,MAAM,+BAFhBmjB,GAAe,CAGhB,CACA/d,EAAKwe,MA9CN,SAAqBT,EAAcO,GAClC,OAAIZ,EAAWxd,OAASoe,EAChB,QACGZ,EAAWF,sBACd,0BACGE,EAAWH,SACd,YACGG,EAAWJ,aAAeS,EAC7B,cAEA,MAET,CAkCcU,CAAWV,EAAcO,GACtCte,EAAK0e,YAAc,KACnB1e,EAAK2e,eAAiB,KACtB3e,EAAK4e,aAAe,KAEpB5e,EAAKsM,GAAG,UAAU,WACjBtM,EAAK6e,WACN,GACD,EAEAlB,EAAS/B,EAAegC,EAAOtC,UAE/BM,EAAc9W,UAAUsZ,UAAY,SAAU1kB,EAAM8M,GACnD,IACIsY,EAAYplB,EAAKyK,eAIqB,IAAtC4a,EAAc5b,QAAQ2b,KALfvrB,KAQN2qB,SAASY,GAAa,CAC1BplB,KAAMA,EACN8M,MAAOA,GAET,EAEAoV,EAAc9W,UAAUka,UAAY,SAAUtlB,GAC7C,IAAIoM,EAASvS,KAAK2qB,SAASxkB,EAAKyK,eAChC,OAAI2B,EACIA,EAAOU,MACR,IACR,EAEAoV,EAAc9W,UAAUma,aAAe,SAAUvlB,UACrCnG,KACC2qB,SAASxkB,EAAKyK,cAC3B,EAEAyX,EAAc9W,UAAU+Z,UAAY,WACnC,IAAI7e,EAAOzM,KAEX,IAAIyM,EAAKkf,WAAT,CAEA,IAAI3c,EAAOvC,EAAKge,MAEZ,YAAazb,GAAyB,IAAjBA,EAAK4c,SAC7Bnf,EAAKof,WAAW7c,EAAK4c,SAGtB,IAAIE,EAAarf,EAAKke,SAClB5X,EAAO,KACS,QAAhB/D,EAAK7H,QAAoC,SAAhB6H,EAAK7H,SAC3B4L,EAAO,IAAIgZ,KAAKtf,EAAKie,MAAO,CACxB3oB,MAAO+pB,EAAW,iBAAmB,CAAC,GAAG7Y,OAAS,MAK7D,IAAI+Y,EAAc,GAalB,GAZAhe,OAAOC,KAAK6d,GAAY5d,SAAQ,SAAU+d,GACzC,IAAI9lB,EAAO2lB,EAAWG,GAAS9lB,KAC3B8M,EAAQ6Y,EAAWG,GAAShZ,MAC5B5Q,MAAM+P,QAAQa,GACjBA,EAAM/E,SAAQ,SAAUge,GACvBF,EAAY9hB,KAAK,CAAC/D,EAAM+lB,GACzB,IAEAF,EAAY9hB,KAAK,CAAC/D,EAAM8M,GAE1B,IAEmB,UAAfxG,EAAKwe,MAAmB,CAC3B,IAAI5X,EAAS,KACb,GAAI8W,EAAWL,gBAAiB,CAC/B,IAAIjL,EAAa,IAAIC,gBACrBzL,EAASwL,EAAWxL,OACpB5G,EAAK0f,sBAAwBtN,EAEzB,mBAAoB7P,GAAgC,IAAxBA,EAAKod,iBACpC3f,EAAK0e,YAAc,EAAA3C,EAAOqD,YAAW,WACpCpf,EAAKjN,KAAK,kBACNiN,EAAK0f,uBACR1f,EAAK0f,sBAAsBlN,OAC7B,GAAGjQ,EAAKod,gBAEV,CAEA,EAAA5D,EAAO7b,MAAMF,EAAKge,MAAMtqB,IAAK,CAC5BgH,OAAQsF,EAAKge,MAAMtjB,OACnB6E,QAASggB,EACTjZ,KAAMA,QAAQjR,EACdkpB,KAAM,OACNzX,YAAavE,EAAKsE,gBAAkB,UAAY,cAChDD,OAAQA,IACNoS,MAAK,SAAU/c,GACjB+D,EAAK4f,eAAiB3jB,EACtB+D,EAAK6f,cAAa,GAClB7f,EAAK8f,UACN,IAAG,SAAU1F,GACZpa,EAAK6f,cAAa,GACb7f,EAAKkf,YACTlf,EAAKjN,KAAK,QAASqnB,EACrB,GACD,KAAO,CACN,IAAIuC,EAAM3c,EAAK+f,KAAO,IAAI,EAAAhE,EAAOc,eACjC,IACCF,EAAI5d,KAAKiB,EAAKge,MAAMtjB,OAAQsF,EAAKge,MAAMtqB,KAAK,EAC7C,CAAE,MAAO+hB,GAIR,YAHAuK,EAAQC,UAAS,WAChBjgB,EAAKjN,KAAK,QAAS0iB,EACpB,GAED,CAGI,iBAAkBkH,IACrBA,EAAIK,aAAehd,EAAKwe,OAErB,oBAAqB7B,IACxBA,EAAI9V,kBAAoBtE,EAAKsE,iBAEX,SAAf7G,EAAKwe,OAAoB,qBAAsB7B,GAClDA,EAAIc,iBAAiB,sCAElB,mBAAoBlb,IACvBoa,EAAIwC,QAAU5c,EAAKod,eACnBhD,EAAIuD,UAAY,WACflgB,EAAKjN,KAAK,iBACX,GAGDwsB,EAAY9d,SAAQ,SAAUqE,GAC7B6W,EAAIwD,iBAAiBra,EAAO,GAAIA,EAAO,GACxC,IAEA9F,EAAKogB,UAAY,KACjBzD,EAAI0D,mBAAqB,WACxB,OAAQ1D,EAAI2D,YACX,KAAKzC,EAAQ/iB,QACb,KAAK+iB,EAAQ0C,KACZvgB,EAAKwgB,iBAGR,EAGmB,4BAAfxgB,EAAKwe,QACR7B,EAAI8D,WAAa,WAChBzgB,EAAKwgB,gBACN,GAGD7D,EAAI+D,QAAU,WACT1gB,EAAKkf,aAETlf,EAAK6f,cAAa,GAClB7f,EAAKjN,KAAK,QAAS,IAAI6H,MAAM,cAC9B,EAEA,IACC+hB,EAAIgE,KAAKra,EACV,CAAE,MAAOmP,GAIR,YAHAuK,EAAQC,UAAS,WAChBjgB,EAAKjN,KAAK,QAAS0iB,EACpB,GAED,CACD,CA7HC,CA8HF,EAgBAmG,EAAc9W,UAAU0b,eAAiB,WACxC,IAAIxgB,EAAOzM,KAEXyM,EAAK6f,cAAa,GAZnB,SAAsBlD,GACrB,IACC,IAAIzgB,EAASygB,EAAIzgB,OACjB,OAAmB,OAAXA,GAA8B,IAAXA,CAC5B,CAAE,MAAO+B,GACR,OAAO,CACR,CACD,CAOM2iB,CAAY5gB,EAAK+f,QAAS/f,EAAKkf,aAG/Blf,EAAKogB,WACTpgB,EAAK8f,WAEN9f,EAAKogB,UAAUI,eAAexgB,EAAK6f,aAAa1f,KAAKH,IACtD,EAEA4b,EAAc9W,UAAUgb,SAAW,WAClC,IAAI9f,EAAOzM,KAEPyM,EAAKkf,aAGTlf,EAAKogB,UAAY,IAAI/D,EAAgBrc,EAAK+f,KAAM/f,EAAK4f,eAAgB5f,EAAKwe,MAAOxe,EAAK6f,aAAa1f,KAAKH,IACxGA,EAAKogB,UAAU9T,GAAG,SAAS,SAASmJ,GACnCzV,EAAKjN,KAAK,QAAS0iB,EACpB,IAEAzV,EAAKjN,KAAK,WAAYiN,EAAKogB,WAC5B,EAEAxE,EAAc9W,UAAU+b,OAAS,SAAUC,EAAOC,EAAU5F,GAChD5nB,KAEN0qB,MAAMxgB,KAAKqjB,GAChB3F,GACD,EAEAS,EAAc9W,UAAU+a,aAAe,SAAUtK,GAChD,IAAIvV,EAAOzM,KAEX,EAAAwoB,EAAOiF,aAAahhB,EAAK4e,cACzB5e,EAAK4e,aAAe,KAEhBrJ,GACH,EAAAwG,EAAOiF,aAAahhB,EAAK0e,aACzB1e,EAAK0e,YAAc,MACT1e,EAAK2e,iBACf3e,EAAK4e,aAAe,EAAA7C,EAAOqD,YAAW,WACrCpf,EAAKjN,KAAK,UACX,GAAGiN,EAAK2e,gBAEV,EAEA/C,EAAc9W,UAAU0N,MAAQoJ,EAAc9W,UAAUmc,QAAU,SAAUxL,GAC3E,IAAIzV,EAAOzM,KACXyM,EAAKkf,YAAa,EAClBlf,EAAK6f,cAAa,GACd7f,EAAKogB,YACRpgB,EAAKogB,UAAUlB,YAAa,GACzBlf,EAAK+f,KACR/f,EAAK+f,KAAKvN,QACFxS,EAAK0f,uBACb1f,EAAK0f,sBAAsBlN,QAExBiD,GACHzV,EAAKjN,KAAK,QAAS0iB,EACrB,EAEAmG,EAAc9W,UAAUsX,IAAM,SAAU5lB,EAAMuqB,EAAU5F,GAEnC,mBAAT3kB,IACV2kB,EAAK3kB,EACLA,OAAOnB,GAGRuoB,EAAOtC,SAASxW,UAAUsX,IAAIrX,KANnBxR,KAM8BiD,EAAMuqB,EAAU5F,EAC1D,EAEAS,EAAc9W,UAAUsa,WAAa,SAAUD,EAAShE,GACvD,IAAInb,EAAOzM,KAEP4nB,GACHnb,EAAKkhB,KAAK,UAAW/F,GAEtBnb,EAAK2e,eAAiBQ,EACtBnf,EAAK6f,cAAa,EACnB,EAEAjE,EAAc9W,UAAUqc,aAAe,WAAa,EACpDvF,EAAc9W,UAAUsc,WAAa,WAAa,EAClDxF,EAAc9W,UAAUuc,mBAAqB,WAAa,EAG1D,IAAItC,EAAgB,CACnB,iBACA,kBACA,iCACA,gCACA,aACA,iBACA,SACA,UACA,OACA,MACA,SACA,OACA,aACA,SACA,UACA,KACA,UACA,oBACA,UACA,yDC9VGrB,EAAa,EAAQ,MACrBC,EAAW,EAAQ,OACnBC,EAAS,EAAQ,OAEjBC,EAAUxK,EAAQyK,YAAc,CACnCwD,OAAQ,EACRC,OAAQ,EACRC,iBAAkB,EAClB1mB,QAAS,EACTylB,KAAM,GAGHlE,EAAkBhJ,EAAQgJ,gBAAkB,SAAUM,EAAK1gB,EAAUsiB,EAAMkD,GAC9E,IAAIzhB,EAAOzM,KAiBX,GAhBAqqB,EAAOvC,SAAStW,KAAK/E,GAErBA,EAAKwe,MAAQD,EACbve,EAAKT,QAAU,CAAC,EAChBS,EAAK0hB,WAAa,GAClB1hB,EAAK2hB,SAAW,CAAC,EACjB3hB,EAAK4hB,YAAc,GAGnB5hB,EAAKsM,GAAG,OAAO,WAEd0T,EAAQC,UAAS,WAChBjgB,EAAKjN,KAAK,QACX,GACD,IAEa,UAATwrB,EAAkB,CAYrB,GAXAve,EAAK4f,eAAiB3jB,EAEtB+D,EAAKtM,IAAMuI,EAASvI,IACpBsM,EAAK6hB,WAAa5lB,EAASC,OAC3B8D,EAAK8hB,cAAgB7lB,EAAS8lB,WAE9B9lB,EAASsD,QAAQkC,SAAQ,SAAUqE,EAAQ1Q,GAC1C4K,EAAKT,QAAQnK,EAAI+O,eAAiB2B,EAClC9F,EAAK0hB,WAAWjkB,KAAKrI,EAAK0Q,EAC3B,IAEI4X,EAAWP,eAAgB,CAC9B,IAAIzG,EAAW,IAAI0G,eAAe,CACjC4E,MAAO,SAAUlB,GAEhB,OADAW,GAAY,GACL,IAAIpuB,SAAQ,SAAU6J,EAASC,GACjC6C,EAAKkf,WACR/hB,IACS6C,EAAKvC,KAAK4gB,EAAOlJ,KAAK2L,IAC/B5jB,IAEA8C,EAAKiiB,aAAe/kB,CAEtB,GACD,EACA8Q,MAAO,WACNyT,GAAY,GACPzhB,EAAKkf,YACTlf,EAAKvC,KAAK,KACZ,EACA+U,MAAO,SAAUiD,GAChBgM,GAAY,GACPzhB,EAAKkf,YACTlf,EAAKjN,KAAK,QAAS0iB,EACrB,IAGD,IAMC,YALAxZ,EAASqK,KAAK4b,OAAOxL,GAAU1Y,OAAM,SAAUyX,GAC9CgM,GAAY,GACPzhB,EAAKkf,YACTlf,EAAKjN,KAAK,QAAS0iB,EACrB,GAED,CAAE,MAAOxX,GAAI,CACd,CAEA,IAAIkkB,EAASlmB,EAASqK,KAAK8b,aAC3B,SAASC,IACRF,EAAOE,OAAOrJ,MAAK,SAAU9iB,GACxB8J,EAAKkf,aAETuC,EAAYvrB,EAAOqf,MACfrf,EAAOqf,KACVvV,EAAKvC,KAAK,OAGXuC,EAAKvC,KAAK4gB,EAAOlJ,KAAKjf,EAAOsQ,QAC7B6b,KACD,IAAGrkB,OAAM,SAAUyX,GAClBgM,GAAY,GACPzhB,EAAKkf,YACTlf,EAAKjN,KAAK,QAAS0iB,EACrB,GACD,CACA4M,EACD,MA2BC,GA1BAriB,EAAK+f,KAAOpD,EACZ3c,EAAKsiB,KAAO,EAEZtiB,EAAKtM,IAAMipB,EAAI4F,YACfviB,EAAK6hB,WAAalF,EAAIzgB,OACtB8D,EAAK8hB,cAAgBnF,EAAIoF,WACXpF,EAAI6F,wBAAwBva,MAAM,SACxCxG,SAAQ,SAAUqE,GACzB,IAAI2c,EAAU3c,EAAOqC,MAAM,oBAC3B,GAAIsa,EAAS,CACZ,IAAIrtB,EAAMqtB,EAAQ,GAAGte,cACT,eAAR/O,QACuBC,IAAtB2K,EAAKT,QAAQnK,KAChB4K,EAAKT,QAAQnK,GAAO,IAErB4K,EAAKT,QAAQnK,GAAKqI,KAAKglB,EAAQ,UACCptB,IAAtB2K,EAAKT,QAAQnK,GACvB4K,EAAKT,QAAQnK,IAAQ,KAAOqtB,EAAQ,GAEpCziB,EAAKT,QAAQnK,GAAOqtB,EAAQ,GAE7BziB,EAAK0hB,WAAWjkB,KAAKglB,EAAQ,GAAIA,EAAQ,GAC1C,CACD,IAEAziB,EAAK0iB,SAAW,kBACXhF,EAAWD,iBAAkB,CACjC,IAAIkF,EAAW3iB,EAAK0hB,WAAW,aAC/B,GAAIiB,EAAU,CACb,IAAIC,EAAeD,EAASxa,MAAM,2BAC9Bya,IACH5iB,EAAK0iB,SAAWE,EAAa,GAAGze,cAElC,CACKnE,EAAK0iB,WACT1iB,EAAK0iB,SAAW,QAClB,CAEF,EAEA/E,EAAStB,EAAiBuB,EAAOvC,UAEjCgB,EAAgBvX,UAAU+d,MAAQ,WACjC,IAEI3lB,EAFO3J,KAEQ0uB,aACf/kB,IAHO3J,KAIL0uB,aAAe,KACpB/kB,IAEF,EAEAmf,EAAgBvX,UAAU0b,eAAiB,SAAUiB,GACpD,IAAIzhB,EAAOzM,KAEPopB,EAAM3c,EAAK+f,KAEX9jB,EAAW,KACf,OAAQ+D,EAAKwe,OACZ,IAAK,OAEJ,IADAviB,EAAW0gB,EAAImG,cACF1wB,OAAS4N,EAAKsiB,KAAM,CAChC,IAAIS,EAAU9mB,EAAS+mB,OAAOhjB,EAAKsiB,MACnC,GAAsB,mBAAlBtiB,EAAK0iB,SAA+B,CAEvC,IADA,IAAIO,EAAS5E,EAAO6E,MAAMH,EAAQ3wB,QACzB4H,EAAI,EAAGA,EAAI+oB,EAAQ3wB,OAAQ4H,IACnCipB,EAAOjpB,GAA6B,IAAxB+oB,EAAQla,WAAW7O,GAEhCgG,EAAKvC,KAAKwlB,EACX,MACCjjB,EAAKvC,KAAKslB,EAAS/iB,EAAK0iB,UAEzB1iB,EAAKsiB,KAAOrmB,EAAS7J,MACtB,CACA,MACD,IAAK,cACJ,GAAIuqB,EAAI2D,aAAezC,EAAQ0C,OAAS5D,EAAI1gB,SAC3C,MACDA,EAAW0gB,EAAI1gB,SACf+D,EAAKvC,KAAK4gB,EAAOlJ,KAAK,IAAIgO,WAAWlnB,KACrC,MACD,IAAK,0BAEJ,GADAA,EAAW0gB,EAAI1gB,SACX0gB,EAAI2D,aAAezC,EAAQ/iB,UAAYmB,EAC1C,MACD+D,EAAKvC,KAAK4gB,EAAOlJ,KAAK,IAAIgO,WAAWlnB,KACrC,MACD,IAAK,YAEJ,GADAA,EAAW0gB,EAAI1gB,SACX0gB,EAAI2D,aAAezC,EAAQ/iB,QAC9B,MACD,IAAIqnB,EAAS,IAAI,EAAApG,EAAOqH,eACxBjB,EAAO1B,WAAa,WACf0B,EAAOjsB,OAAOmtB,WAAarjB,EAAKsiB,OACnCtiB,EAAKvC,KAAK4gB,EAAOlJ,KAAK,IAAIgO,WAAWhB,EAAOjsB,OAAOkN,MAAMpD,EAAKsiB,SAC9DtiB,EAAKsiB,KAAOH,EAAOjsB,OAAOmtB,WAE5B,EACAlB,EAAOmB,OAAS,WACf7B,GAAY,GACZzhB,EAAKvC,KAAK,KACX,EAEA0kB,EAAOoB,kBAAkBtnB,GAKvB+D,EAAK+f,KAAKO,aAAezC,EAAQ0C,MAAuB,cAAfvgB,EAAKwe,QACjDiD,GAAY,GACZzhB,EAAKvC,KAAK,MAEZ,aClNA2V,EAAOC,QAIP,WAGI,IAFA,IAAI7X,EAAS,CAAC,EAELxB,EAAI,EAAGA,EAAIH,UAAUzH,OAAQ4H,IAAK,CACvC,IAAI9G,EAAS2G,UAAUG,GAEvB,IAAK,IAAI5E,KAAOlC,EACRyO,EAAeoD,KAAK7R,EAAQkC,KAC5BoG,EAAOpG,GAAOlC,EAAOkC,GAGjC,CAEA,OAAOoG,CACX,EAhBA,IAAImG,EAAiBJ,OAAOuD,UAAUnD,wgCC0BtC,MAAwG6hB,EAAhF,QAAZvlB,GAAmG,YAAhF,UAAIlN,OAAO,SAASE,SAAU,UAAIF,OAAO,SAAS0yB,OAAOxlB,EAAEzM,KAAKP,QAApF,IAACgN,EAsBZ,MAAMylB,EACJC,SAAW,GACX,aAAAC,CAAc3xB,GACZsB,KAAKswB,cAAc5xB,GAAIsB,KAAKowB,SAASlmB,KAAKxL,EAC5C,CACA,eAAA6xB,CAAgB7xB,GACd,MAAM4gB,EAAgB,iBAAL5gB,EAAgBsB,KAAKwwB,cAAc9xB,GAAKsB,KAAKwwB,cAAc9xB,EAAEN,KACnE,IAAPkhB,EAIJtf,KAAKowB,SAAS1R,OAAOY,EAAG,GAHtB2Q,EAAEpV,KAAK,mCAAoC,CAAEnP,MAAOhN,EAAG+xB,QAASzwB,KAAK0wB,cAIzE,CAMA,UAAAA,CAAWhyB,GACT,OAAOA,EAAIsB,KAAKowB,SAASnnB,QAAQqW,GAA0B,mBAAbA,EAAE1gB,SAAwB0gB,EAAE1gB,QAAQF,KAAWsB,KAAKowB,QACpG,CACA,aAAAI,CAAc9xB,GACZ,OAAOsB,KAAKowB,SAAS3R,WAAWa,GAAMA,EAAElhB,KAAOM,GACjD,CACA,aAAA4xB,CAAc5xB,GACZ,IAAKA,EAAEN,KAAOM,EAAEL,cAAiBK,EAAEC,gBAAiBD,EAAE8d,YAAe9d,EAAEkN,QACrE,MAAM,IAAIvE,MAAM,iBAClB,GAAmB,iBAAR3I,EAAEN,IAA0C,iBAAjBM,EAAEL,YACtC,MAAM,IAAIgJ,MAAM,sCAClB,GAAI3I,EAAE8d,WAAmC,iBAAf9d,EAAE8d,WAAyB9d,EAAEC,eAA2C,iBAAnBD,EAAEC,cAC/E,MAAM,IAAI0I,MAAM,yBAClB,QAAkB,IAAd3I,EAAEE,SAA0C,mBAAbF,EAAEE,QACnC,MAAM,IAAIyI,MAAM,4BAClB,GAAwB,mBAAb3I,EAAEkN,QACX,MAAM,IAAIvE,MAAM,4BAClB,GAAI,UAAW3I,GAAuB,iBAAXA,EAAEuB,MAC3B,MAAM,IAAIoH,MAAM,0BAClB,IAAkC,IAA9BrH,KAAKwwB,cAAc9xB,EAAEN,IACvB,MAAM,IAAIiJ,MAAM,kBACpB,EAEF,MAAMya,EAAI,WACR,cAAcjf,OAAO8tB,gBAAkB,MAAQ9tB,OAAO8tB,gBAAkB,IAAIR,EAAMF,EAAEpnB,MAAM,4BAA6BhG,OAAO8tB,eAChI,EAuBMC,EAAI,CAAC,IAAK,KAAM,KAAM,KAAM,KAAM,MAAOC,EAAI,CAAC,IAAK,MAAO,MAAO,MAAO,MAAO,OACrF,SAASC,EAAGpmB,EAAGhM,GAAI,EAAI4gB,GAAI,EAAIyC,GAAI,GACjCzC,EAAIA,IAAMyC,EAAe,iBAALrX,IAAkBA,EAAI6M,OAAO7M,IACjD,IAAInE,EAAImE,EAAI,EAAI9J,KAAKiU,MAAMjU,KAAKmwB,IAAIrmB,GAAK9J,KAAKmwB,IAAIhP,EAAI,IAAM,OAAS,EACrExb,EAAI3F,KAAKkF,KAAKwZ,EAAIuR,EAAEhyB,OAAS+xB,EAAE/xB,QAAU,EAAG0H,GAC5C,MAAME,EAAI6Y,EAAIuR,EAAEtqB,GAAKqqB,EAAErqB,GACvB,IAAIyqB,GAAKtmB,EAAI9J,KAAKqwB,IAAIlP,EAAI,IAAM,KAAMxb,IAAI2qB,QAAQ,GAClD,OAAa,IAANxyB,GAAkB,IAAN6H,GAAiB,QAANyqB,EAAc,OAAS,OAAS1R,EAAIuR,EAAE,GAAKD,EAAE,KAAeI,EAARzqB,EAAI,EAAQ4qB,WAAWH,GAAGE,QAAQ,GAASC,WAAWH,GAAGI,gBAAe,WAAOJ,EAAI,IAAMvqB,EAC7K,CA0CA,IAAI4qB,EAAoB,CAAE3mB,IAAOA,EAAE4mB,QAAU,UAAW5mB,EAAEU,OAAS,SAAUV,GAArD,CAAyD2mB,GAAK,CAAC,GACvF,MAAME,EACJC,QACA,WAAAjkB,CAAY7O,GACVsB,KAAKyxB,eAAe/yB,GAAIsB,KAAKwxB,QAAU9yB,CACzC,CACA,MAAIN,GACF,OAAO4B,KAAKwxB,QAAQpzB,EACtB,CACA,eAAIC,GACF,OAAO2B,KAAKwxB,QAAQnzB,WACtB,CACA,SAAIqzB,GACF,OAAO1xB,KAAKwxB,QAAQE,KACtB,CACA,iBAAI/yB,GACF,OAAOqB,KAAKwxB,QAAQ7yB,aACtB,CACA,WAAIC,GACF,OAAOoB,KAAKwxB,QAAQ5yB,OACtB,CACA,QAAIQ,GACF,OAAOY,KAAKwxB,QAAQpyB,IACtB,CACA,aAAIQ,GACF,OAAOI,KAAKwxB,QAAQ5xB,SACtB,CACA,SAAIK,GACF,OAAOD,KAAKwxB,QAAQvxB,KACtB,CACA,UAAI6W,GACF,OAAO9W,KAAKwxB,QAAQ1a,MACtB,CACA,WAAI,GACF,OAAO9W,KAAKwxB,QAAQtmB,OACtB,CACA,UAAIymB,GACF,OAAO3xB,KAAKwxB,QAAQG,MACtB,CACA,gBAAIC,GACF,OAAO5xB,KAAKwxB,QAAQI,YACtB,CACA,cAAAH,CAAe/yB,GACb,IAAKA,EAAEN,IAAqB,iBAARM,EAAEN,GACpB,MAAM,IAAIiJ,MAAM,cAClB,IAAK3I,EAAEL,aAAuC,mBAAjBK,EAAEL,YAC7B,MAAM,IAAIgJ,MAAM,gCAClB,GAAI,UAAW3I,GAAuB,mBAAXA,EAAEgzB,MAC3B,MAAM,IAAIrqB,MAAM,0BAClB,IAAK3I,EAAEC,eAA2C,mBAAnBD,EAAEC,cAC/B,MAAM,IAAI0I,MAAM,kCAClB,IAAK3I,EAAEU,MAAyB,mBAAVV,EAAEU,KACtB,MAAM,IAAIiI,MAAM,yBAClB,GAAI,YAAa3I,GAAyB,mBAAbA,EAAEE,QAC7B,MAAM,IAAIyI,MAAM,4BAClB,GAAI,cAAe3I,GAA2B,mBAAfA,EAAEkB,UAC/B,MAAM,IAAIyH,MAAM,8BAClB,GAAI,UAAW3I,GAAuB,iBAAXA,EAAEuB,MAC3B,MAAM,IAAIoH,MAAM,iBAClB,GAAI,WAAY3I,GAAwB,iBAAZA,EAAEoY,OAC5B,MAAM,IAAIzP,MAAM,kBAClB,GAAI3I,EAAEwM,UAAY8C,OAAO6jB,OAAOR,GAAG3qB,SAAShI,EAAEwM,SAC5C,MAAM,IAAI7D,MAAM,mBAClB,GAAI,WAAY3I,GAAwB,mBAAZA,EAAEizB,OAC5B,MAAM,IAAItqB,MAAM,2BAClB,GAAI,iBAAkB3I,GAA8B,mBAAlBA,EAAEkzB,aAClC,MAAM,IAAIvqB,MAAM,gCACpB,EAEF,MAAMyqB,EAAK,SAASpnB,UACP7H,OAAOkvB,gBAAkB,MAAQlvB,OAAOkvB,gBAAkB,GAAI9B,EAAEpnB,MAAM,4BAA6BhG,OAAOkvB,gBAAgBrwB,MAAMhD,GAAMA,EAAEN,KAAOsM,EAAEtM,KAC1J6xB,EAAExwB,MAAM,cAAciL,EAAEtM,wBAAyB,CAAEF,OAAQwM,IAG7D7H,OAAOkvB,gBAAgB7nB,KAAKQ,EAC9B,EAuFA,IAAIsnB,EAAoB,CAAEtnB,IAAOA,EAAEA,EAAE1G,KAAO,GAAK,OAAQ0G,EAAEA,EAAEnB,OAAS,GAAK,SAAUmB,EAAEA,EAAEpJ,KAAO,GAAK,OAAQoJ,EAAEA,EAAEnI,OAAS,GAAK,SAAUmI,EAAEA,EAAEvL,OAAS,GAAK,SAAUuL,EAAEA,EAAEunB,MAAQ,IAAM,QAASvnB,EAAEA,EAAE3E,IAAM,IAAM,MAAO2E,GAA/L,CAAmMsnB,GAAK,CAAC,GAuBjO,MAAME,EAAI,CACR,qBACA,mBACA,YACA,oBACA,0BACA,iBACA,iBACA,kBACA,gBACA,sBACA,qBACA,cACA,YACA,wBACA,cACA,iBACA,iBACA,UACA,yBACCC,EAAI,CACLnB,EAAG,OACH9gB,GAAI,0BACJkiB,GAAI,yBACJlvB,IAAK,6CACJmvB,EAAK,SAAS3nB,EAAGhM,EAAI,CAAEwR,GAAI,mCACrBrN,OAAOyvB,mBAAqB,MAAQzvB,OAAOyvB,mBAAqB,IAAIJ,GAAIrvB,OAAO0vB,mBAAqB,IAAKJ,IAChH,MAAM7S,EAAI,IAAKzc,OAAO0vB,sBAAuB7zB,GAC7C,OAAImE,OAAOyvB,mBAAmB5wB,MAAM6E,GAAMA,IAAMmE,KACvCulB,EAAExwB,MAAM,GAAGiL,uBAAwB,CAAE8nB,KAAM9nB,KAAM,GACtDA,EAAEvI,WAAW,MAAgC,IAAxBuI,EAAEgK,MAAM,KAAK7V,QAC7BoxB,EAAExwB,MAAM,GAAGiL,2CAA4C,CAAE8nB,KAAM9nB,KAAM,GAEvE4U,EADG5U,EAAEgK,MAAM,KAAK,KACR7R,OAAOyvB,mBAAmBpoB,KAAKQ,GAAI7H,OAAO0vB,mBAAqBjT,GAAG,IAAO2Q,EAAExwB,MAAM,GAAGiL,sBAAuB,CAAE8nB,KAAM9nB,EAAG+nB,WAAYnT,KAAM,EACzJ,EAAGoT,EAAI,WACL,cAAc7vB,OAAOyvB,mBAAqB,MAAQzvB,OAAOyvB,mBAAqB,IAAIJ,IAAKrvB,OAAOyvB,mBAAmBxzB,KAAK4L,GAAM,IAAIA,SAAQ5C,KAAK,IAC/I,EAAG6qB,EAAI,WACL,cAAc9vB,OAAO0vB,mBAAqB,MAAQ1vB,OAAO0vB,mBAAqB,IAAKJ,IAAMnkB,OAAOC,KAAKpL,OAAO0vB,oBAAoBzzB,KAAK4L,GAAM,SAASA,MAAM7H,OAAO0vB,qBAAqB7nB,QAAO5C,KAAK,IACpM,EAAG8qB,EAAK,WACN,MAAO,0CACOD,iCAEVD,yCAGN,EAUGG,EAAK,SAASnoB,GACf,MAAO,4DACUioB,8HAKbD,iGAKe,WAAKz0B,0nBA0BRyM,yXAkBlB,EAuBMooB,EAAK,SAASpoB,EAAI,IACtB,IAAIhM,EAAIszB,EAAEhuB,KACV,OAAO0G,KAAOA,EAAEhE,SAAS,MAAQgE,EAAEhE,SAAS,QAAUhI,GAAKszB,EAAEzoB,QAASmB,EAAEhE,SAAS,OAAShI,GAAKszB,EAAE1wB,OAAQoJ,EAAEhE,SAAS,MAAQgE,EAAEhE,SAAS,MAAQgE,EAAEhE,SAAS,QAAUhI,GAAKszB,EAAEzvB,QAASmI,EAAEhE,SAAS,OAAShI,GAAKszB,EAAE7yB,QAASuL,EAAEhE,SAAS,OAAShI,GAAKszB,EAAEC,QAASvzB,CAC9P,EAsBA,IAAIq0B,EAAoB,CAAEroB,IAAOA,EAAEzI,OAAS,SAAUyI,EAAEe,KAAO,OAAQf,GAA/C,CAAmDqoB,GAAK,CAAC,GAsBjF,MAAMC,EAAI,SAAStoB,EAAGhM,GACpB,OAAsB,OAAfgM,EAAEkK,MAAMlW,EACjB,EAAGu0B,EAAI,CAACvoB,EAAGhM,KACT,GAAIgM,EAAEtM,IAAqB,iBAARsM,EAAEtM,GACnB,MAAM,IAAIiJ,MAAM,4BAClB,IAAKqD,EAAE/K,OACL,MAAM,IAAI0H,MAAM,4BAClB,IACE,IAAIsT,IAAIjQ,EAAE/K,OACZ,CAAE,MACA,MAAM,IAAI0H,MAAM,oDAClB,CACA,IAAKqD,EAAE/K,OAAOwC,WAAW,QACvB,MAAM,IAAIkF,MAAM,oDAClB,GAAIqD,EAAE2B,SAAW3B,EAAE2B,iBAAiBC,MAClC,MAAM,IAAIjF,MAAM,sBAClB,GAAIqD,EAAEwoB,UAAYxoB,EAAEwoB,kBAAkB5mB,MACpC,MAAM,IAAIjF,MAAM,uBAClB,IAAKqD,EAAEmL,MAAyB,iBAAVnL,EAAEmL,OAAqBnL,EAAEmL,KAAKjB,MAAM,yBACxD,MAAM,IAAIvN,MAAM,qCAClB,GAAI,SAAUqD,GAAsB,iBAAVA,EAAEoL,WAA+B,IAAXpL,EAAEoL,KAChD,MAAM,IAAIzO,MAAM,qBAClB,GAAI,gBAAiBqD,QAAuB,IAAlBA,EAAE3L,eAAoD,iBAAjB2L,EAAE3L,aAA2B2L,EAAE3L,aAAeizB,EAAEhuB,MAAQ0G,EAAE3L,aAAeizB,EAAEjsB,KACxI,MAAM,IAAIsB,MAAM,uBAClB,GAAIqD,EAAE3M,OAAqB,OAAZ2M,EAAE3M,OAAoC,iBAAX2M,EAAE3M,MAC1C,MAAM,IAAIsJ,MAAM,sBAClB,GAAIqD,EAAEnJ,YAAqC,iBAAhBmJ,EAAEnJ,WAC3B,MAAM,IAAI8F,MAAM,2BAClB,GAAIqD,EAAExI,MAAyB,iBAAVwI,EAAExI,KACrB,MAAM,IAAImF,MAAM,qBAClB,GAAIqD,EAAExI,OAASwI,EAAExI,KAAKC,WAAW,KAC/B,MAAM,IAAIkF,MAAM,wCAClB,GAAIqD,EAAExI,OAASwI,EAAE/K,OAAO+G,SAASgE,EAAExI,MACjC,MAAM,IAAImF,MAAM,mCAClB,GAAIqD,EAAExI,MAAQ8wB,EAAEtoB,EAAE/K,OAAQjB,GAAI,CAC5B,MAAM4gB,EAAI5U,EAAE/K,OAAOiV,MAAMlW,GAAG,GAC5B,IAAKgM,EAAE/K,OAAO+G,UAAS,UAAG4Y,EAAG5U,EAAExI,OAC7B,MAAM,IAAImF,MAAM,4DACpB,CACA,GAAIqD,EAAE/B,SAAWqF,OAAO6jB,OAAOsB,GAAGzsB,SAASgE,EAAE/B,QAC3C,MAAM,IAAItB,MAAM,oCAAoC,EAuBxD,IAAI8rB,EAAoB,CAAEzoB,IAAOA,EAAE0oB,IAAM,MAAO1oB,EAAE2oB,OAAS,SAAU3oB,EAAEnD,QAAU,UAAWmD,EAAE4oB,OAAS,SAAU5oB,GAAzF,CAA6FyoB,GAAK,CAAC,GAC3H,MAAMI,EACJC,MACAC,YACAC,iBAAmB,mCACnB,WAAAnmB,CAAY7O,EAAG4gB,GACb2T,EAAEv0B,EAAG4gB,GAAKtf,KAAK0zB,kBAAmB1zB,KAAKwzB,MAAQ90B,EAC/C,MAAMqjB,EAAI,CAER+B,IAAK,CAACvd,EAAGE,EAAGuqB,KAAOhxB,KAAK2zB,cAAejT,QAAQoD,IAAIvd,EAAGE,EAAGuqB,IACzD4C,eAAgB,CAACrtB,EAAGE,KAAOzG,KAAK2zB,cAAejT,QAAQkT,eAAertB,EAAGE,KAG3EzG,KAAKyzB,YAAc,IAAI5S,MAAMniB,EAAE6C,YAAc,CAAC,EAAGwgB,UAAW/hB,KAAKwzB,MAAMjyB,WAAY+d,IAAMtf,KAAK0zB,iBAAmBpU,EACnH,CAIA,UAAI3f,GACF,OAAOK,KAAKwzB,MAAM7zB,OAAO+P,QAAQ,OAAQ,GAC3C,CAIA,iBAAInQ,GACF,MAAQs0B,OAAQn1B,GAAM,IAAIic,IAAI3a,KAAKL,QACnC,OAAOjB,GAAI,QAAGsB,KAAKL,OAAOkQ,MAAMnR,EAAEG,QACpC,CAIA,YAAIuC,GACF,OAAO,cAAGpB,KAAKL,OACjB,CAIA,aAAIga,GACF,OAAO,aAAG3Z,KAAKL,OACjB,CAKA,WAAIkE,GACF,GAAI7D,KAAKkC,KAAM,CACb,IAAIod,EAAItf,KAAKL,OACbK,KAAK6K,iBAAmByU,EAAIA,EAAE5K,MAAM1U,KAAK0zB,kBAAkBI,OAC3D,MAAM/R,EAAIzC,EAAE1P,QAAQ5P,KAAKkC,MAAOqE,EAAIvG,KAAKkC,KAAKwN,QAAQ,MAAO,IAC7D,OAAO,aAAE4P,EAAEzP,MAAMkS,EAAIxb,EAAE1H,SAAW,IACpC,CACA,MAAMH,EAAI,IAAIic,IAAI3a,KAAKL,QACvB,OAAO,aAAEjB,EAAEq1B,SACb,CAIA,QAAIle,GACF,OAAO7V,KAAKwzB,MAAM3d,IACpB,CAIA,SAAIxJ,GACF,OAAOrM,KAAKwzB,MAAMnnB,KACpB,CAIA,UAAI6mB,GACF,OAAOlzB,KAAKwzB,MAAMN,MACpB,CAIA,QAAIpd,GACF,OAAO9V,KAAKwzB,MAAM1d,IACpB,CAIA,cAAIvU,GACF,OAAOvB,KAAKyzB,WACd,CAIA,eAAI10B,GACF,OAAsB,OAAfiB,KAAKjC,OAAmBiC,KAAK6K,oBAAqD,IAA3B7K,KAAKwzB,MAAMz0B,YAAyBiB,KAAKwzB,MAAMz0B,YAAcizB,EAAEhuB,KAAxEguB,EAAE1wB,IACzD,CAIA,SAAIvD,GACF,OAAOiC,KAAK6K,eAAiB7K,KAAKwzB,MAAMz1B,MAAQ,IAClD,CAIA,kBAAI8M,GACF,OAAOmoB,EAAEhzB,KAAKL,OAAQK,KAAK0zB,iBAC7B,CAIA,QAAIxxB,GACF,OAAOlC,KAAKwzB,MAAMtxB,KAAOlC,KAAKwzB,MAAMtxB,KAAKwN,QAAQ,WAAY,MAAQ1P,KAAK6K,iBAAkB,aAAE7K,KAAKL,QAAQ+U,MAAM1U,KAAK0zB,kBAAkBI,OAAS,IACnJ,CAIA,QAAItxB,GACF,GAAIxC,KAAKkC,KAAM,CACb,IAAIxD,EAAIsB,KAAKL,OACbK,KAAK6K,iBAAmBnM,EAAIA,EAAEgW,MAAM1U,KAAK0zB,kBAAkBI,OAC3D,MAAMxU,EAAI5gB,EAAEkR,QAAQ5P,KAAKkC,MAAO6f,EAAI/hB,KAAKkC,KAAKwN,QAAQ,MAAO,IAC7D,OAAOhR,EAAEmR,MAAMyP,EAAIyC,EAAEljB,SAAW,GAClC,CACA,OAAQmB,KAAK6D,QAAU,IAAM7D,KAAKoB,UAAUsO,QAAQ,QAAS,IAC/D,CAKA,UAAI1G,GACF,OAAOhJ,KAAKwzB,OAAOp1B,IAAM4B,KAAKuB,YAAYyH,MAC5C,CAIA,UAAIL,GACF,OAAO3I,KAAKwzB,OAAO7qB,MACrB,CAIA,UAAIA,CAAOjK,GACTsB,KAAKwzB,MAAM7qB,OAASjK,CACtB,CAOA,IAAAs1B,CAAKt1B,GACHu0B,EAAE,IAAKjzB,KAAKwzB,MAAO7zB,OAAQjB,GAAKsB,KAAK0zB,kBAAmB1zB,KAAKwzB,MAAM7zB,OAASjB,EAAGsB,KAAK2zB,aACtF,CAOA,MAAAM,CAAOv1B,GACL,GAAIA,EAAEgI,SAAS,KACb,MAAM,IAAIW,MAAM,oBAClBrH,KAAKg0B,MAAK,aAAEh0B,KAAKL,QAAU,IAAMjB,EACnC,CAIA,WAAAi1B,GACE3zB,KAAKwzB,MAAMnnB,QAAUrM,KAAKwzB,MAAMnnB,MAAwB,IAAIC,KAC9D,EAuBF,MAAM4nB,UAAWX,EACf,QAAIxxB,GACF,OAAOgxB,EAAEtnB,IACX,EAuBF,MAAMkQ,UAAW4X,EACf,WAAAhmB,CAAY7O,GACVy1B,MAAM,IACDz1B,EACHmX,KAAM,wBAEV,CACA,QAAI9T,GACF,OAAOgxB,EAAE9wB,MACX,CACA,aAAI0X,GACF,OAAO,IACT,CACA,QAAI9D,GACF,MAAO,sBACT,EAwBF,MAAMue,EAAK,WAAU,WAAKn2B,MAAOo2B,GAAK,uBAAG,OAAQC,EAAK,SAAS5pB,EAAI2pB,EAAI31B,EAAI,CAAC,GAC1E,MAAM4gB,GAAI,QAAG5U,EAAG,CAAEsB,QAAStN,IAC3B,SAASqjB,EAAEtb,GACT6Y,EAAEiV,WAAW,IACR71B,EAEH,mBAAoB,iBAEpB0V,aAAc3N,GAAK,IAEvB,CACA,OAAO,QAAGsb,GAAIA,GAAE,YAAO,UAAKhT,MAAM,SAAS,CAACtI,EAAGuqB,KAC7C,MAAMwD,EAAIxD,EAAEhlB,QACZ,OAAOwoB,GAAGrtB,SAAW6pB,EAAE7pB,OAASqtB,EAAErtB,cAAeqtB,EAAErtB,QAASwF,MAAMlG,EAAGuqB,EAAE,IACrE1R,CACN,EAAGmV,EAAKryB,MAAOsI,EAAGhM,EAAI,IAAK4gB,EAAI8U,WAAc1pB,EAAEvC,qBAAqB,GAAGmX,IAAI5gB,IAAK,CAC9E4J,SAAS,EACTrF,KAndO,+CACY0vB,iCAEfD,wIAidJ1mB,QAAS,CAEP7E,OAAQ,UAEVqP,aAAa,KACXvT,KAAKgG,QAAQ1C,GAAMA,EAAEmP,WAAahX,IAAGI,KAAKyH,GAAMmuB,EAAGnuB,EAAG+Y,KAAKoV,EAAK,SAAShqB,EAAGhM,EAAI01B,EAAI9U,EAAI+U,GAC1F,MAAMtS,EAAIrX,EAAE8K,MAAOjP,EAAIusB,EAAG/Q,GAAGhjB,aAAc0H,EAAIsb,IAAI,cAAe,WAAK9jB,IAAK+yB,EAAI,CAC9E5yB,GAAI2jB,GAAG/Y,QAAU,EACjBrJ,OAAQ,GAAG2f,IAAI5U,EAAEgL,WACjBrJ,MAAO,IAAIC,KAAKA,KAAK7K,MAAMiJ,EAAEkL,UAC7BC,KAAMnL,EAAEmL,KACRC,KAAMiM,GAAGjM,MAAQyB,OAAOrL,SAAS6V,EAAE4S,kBAAoB,KACvD51B,YAAawH,EACbxI,MAAO0I,EACPvE,KAAMxD,EACN6C,WAAY,IACPmJ,KACAqX,EACHhM,WAAYgM,IAAI,iBAGpB,cAAciP,EAAEzvB,YAAYiU,MAAkB,SAAX9K,EAAE3I,KAAkB,IAAImyB,EAAGlD,GAAK,IAAIrV,EAAGqV,EAC5E,EAsBA,MAAM4D,EACJC,OAAS,GACTC,aAAe,KACf,QAAAlX,CAASlf,GACP,GAAIsB,KAAK60B,OAAOnzB,MAAM4d,GAAMA,EAAElhB,KAAOM,EAAEN,KACrC,MAAM,IAAIiJ,MAAM,WAAW3I,EAAEN,4BAC/B4B,KAAK60B,OAAO3qB,KAAKxL,EACnB,CACA,MAAAigB,CAAOjgB,GACL,MAAM4gB,EAAItf,KAAK60B,OAAOpW,WAAWsD,GAAMA,EAAE3jB,KAAOM,KACzC,IAAP4gB,GAAYtf,KAAK60B,OAAOnW,OAAOY,EAAG,EACpC,CACA,SAAIyV,GACF,OAAO/0B,KAAK60B,MACd,CACA,SAAAG,CAAUt2B,GACRsB,KAAK80B,aAAep2B,CACtB,CACA,UAAIu2B,GACF,OAAOj1B,KAAK80B,YACd,EAEF,MAAMI,EAAK,WACT,cAAcryB,OAAOsyB,eAAiB,MAAQtyB,OAAOsyB,eAAiB,IAAIP,EAAM3E,EAAEpnB,MAAM,mCAAoChG,OAAOsyB,cACrI,EAsBA,MAAMC,EACJC,QACA,WAAA9nB,CAAY7O,GACV42B,EAAG52B,GAAIsB,KAAKq1B,QAAU32B,CACxB,CACA,MAAIN,GACF,OAAO4B,KAAKq1B,QAAQj3B,EACtB,CACA,SAAIszB,GACF,OAAO1xB,KAAKq1B,QAAQ3D,KACtB,CACA,UAAI6D,GACF,OAAOv1B,KAAKq1B,QAAQE,MACtB,CACA,QAAInX,GACF,OAAOpe,KAAKq1B,QAAQjX,IACtB,CACA,WAAIoX,GACF,OAAOx1B,KAAKq1B,QAAQG,OACtB,EAEF,MAAMF,EAAK,SAAS5qB,GAClB,IAAKA,EAAEtM,IAAqB,iBAARsM,EAAEtM,GACpB,MAAM,IAAIiJ,MAAM,2BAClB,IAAKqD,EAAEgnB,OAA2B,iBAAXhnB,EAAEgnB,MACvB,MAAM,IAAIrqB,MAAM,8BAClB,IAAKqD,EAAE6qB,QAA6B,mBAAZ7qB,EAAE6qB,OACxB,MAAM,IAAIluB,MAAM,iCAClB,GAAIqD,EAAE0T,MAAyB,mBAAV1T,EAAE0T,KACrB,MAAM,IAAI/W,MAAM,0CAClB,GAAIqD,EAAE8qB,SAA+B,mBAAb9qB,EAAE8qB,QACxB,MAAM,IAAInuB,MAAM,qCAClB,OAAO,CACT,EACA,IAAIouB,EAAI,CAAC,EAAGC,EAAI,CAAC,GACjB,SAAUhrB,GACR,MAAMhM,EAAI,gLAAyOqjB,EAAI,IAAMrjB,EAAI,KAAlEA,EAAwD,iDAA2B6H,EAAI,IAAIovB,OAAO,IAAM5T,EAAI,KAgB3SrX,EAAEkrB,QAAU,SAASpB,GACnB,cAAcA,EAAI,GACpB,EAAG9pB,EAAEmrB,cAAgB,SAASrB,GAC5B,OAAiC,IAA1BxmB,OAAOC,KAAKumB,GAAG31B,MACxB,EAAG6L,EAAEmH,MAAQ,SAAS2iB,EAAGpU,EAAGhL,GAC1B,GAAIgL,EAAG,CACL,MAAM0V,EAAI9nB,OAAOC,KAAKmS,GAAI6B,EAAI6T,EAAEj3B,OAChC,IAAK,IAAIk3B,EAAI,EAAGA,EAAI9T,EAAG8T,IACJvB,EAAEsB,EAAEC,IAAf,WAAN3gB,EAA2B,CAACgL,EAAE0V,EAAEC,KAAiB3V,EAAE0V,EAAEC,GACzD,CACF,EAAGrrB,EAAEsrB,SAAW,SAASxB,GACvB,OAAO9pB,EAAEkrB,QAAQpB,GAAKA,EAAI,EAC5B,EAAG9pB,EAAEurB,OAhBE,SAASzB,GACd,MAAMpU,EAAI7Z,EAAEnH,KAAKo1B,GACjB,QAAe,OAANpU,UAAqBA,EAAI,IACpC,EAaiB1V,EAAEwrB,cA5BkS,SAAS1B,EAAGpU,GAC/T,MAAMhL,EAAI,GACV,IAAI0gB,EAAI1V,EAAEhhB,KAAKo1B,GACf,KAAOsB,GAAK,CACV,MAAM7T,EAAI,GACVA,EAAEkU,WAAa/V,EAAEgW,UAAYN,EAAE,GAAGj3B,OAClC,MAAMk3B,EAAID,EAAEj3B,OACZ,IAAK,IAAI2pB,EAAI,EAAGA,EAAIuN,EAAGvN,IACrBvG,EAAE/X,KAAK4rB,EAAEtN,IACXpT,EAAElL,KAAK+X,GAAI6T,EAAI1V,EAAEhhB,KAAKo1B,EACxB,CACA,OAAOpf,CACT,EAgBsC1K,EAAE2rB,WAAatU,CACtD,CA9BD,CA8BG2T,GACH,MAAMY,EAAIZ,EAAGa,EAAK,CAChBC,wBAAwB,EAExBC,aAAc,IAkGhB,SAASC,EAAEhsB,GACT,MAAa,MAANA,GAAmB,OAANA,GAAmB,OAANA,GACxB,OAANA,CACL,CACA,SAASisB,EAAEjsB,EAAGhM,GACZ,MAAM4gB,EAAI5gB,EACV,KAAOA,EAAIgM,EAAE7L,OAAQH,IACnB,GAAY,KAARgM,EAAEhM,IAAqB,KAARgM,EAAEhM,GAAW,CAC9B,MAAMqjB,EAAIrX,EAAE+kB,OAAOnQ,EAAG5gB,EAAI4gB,GAC1B,GAAI5gB,EAAI,GAAW,QAANqjB,EACX,OAAO1B,GAAE,aAAc,6DAA8DuW,GAAElsB,EAAGhM,IAC5F,GAAY,KAARgM,EAAEhM,IAAyB,KAAZgM,EAAEhM,EAAI,GAAW,CAClCA,IACA,KACF,CACE,QACJ,CACF,OAAOA,CACT,CACA,SAASm4B,EAAEnsB,EAAGhM,GACZ,GAAIgM,EAAE7L,OAASH,EAAI,GAAkB,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAChD,IAAKA,GAAK,EAAGA,EAAIgM,EAAE7L,OAAQH,IACzB,GAAa,MAATgM,EAAEhM,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,GAAY,CACxDA,GAAK,EACL,KACF,OACG,GAAIgM,EAAE7L,OAASH,EAAI,GAAkB,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,GAAY,CACvK,IAAI4gB,EAAI,EACR,IAAK5gB,GAAK,EAAGA,EAAIgM,EAAE7L,OAAQH,IACzB,GAAa,MAATgM,EAAEhM,GACJ4gB,SACG,GAAa,MAAT5U,EAAEhM,KAAe4gB,IAAW,IAANA,GAC7B,KACN,MAAO,GAAI5U,EAAE7L,OAASH,EAAI,GAAkB,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,GAC3J,IAAKA,GAAK,EAAGA,EAAIgM,EAAE7L,OAAQH,IACzB,GAAa,MAATgM,EAAEhM,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,GAAY,CACxDA,GAAK,EACL,KACF,CAEJ,OAAOA,CACT,CAzIA+2B,EAAEqB,SAAW,SAASpsB,EAAGhM,GACvBA,EAAIsP,OAAOK,OAAO,CAAC,EAAGkoB,EAAI73B,GAC1B,MAAM4gB,EAAI,GACV,IAAIyC,GAAI,EAAIxb,GAAI,EACP,WAATmE,EAAE,KAAoBA,EAAIA,EAAE+kB,OAAO,IACnC,IAAK,IAAIhpB,EAAI,EAAGA,EAAIiE,EAAE7L,OAAQ4H,IAC5B,GAAa,MAATiE,EAAEjE,IAA2B,MAAbiE,EAAEjE,EAAI,IACxB,GAAIA,GAAK,EAAGA,EAAIkwB,EAAEjsB,EAAGjE,GAAIA,EAAEyb,IACzB,OAAOzb,MACJ,IAAa,MAATiE,EAAEjE,GAyEN,CACL,GAAIiwB,EAAEhsB,EAAEjE,IACN,SACF,OAAO4Z,GAAE,cAAe,SAAW3V,EAAEjE,GAAK,qBAAsBmwB,GAAElsB,EAAGjE,GACvE,CA7EyB,CACvB,IAAIuqB,EAAIvqB,EACR,GAAIA,IAAc,MAATiE,EAAEjE,GAAY,CACrBA,EAAIowB,EAAEnsB,EAAGjE,GACT,QACF,CAAO,CACL,IAAI+tB,GAAI,EACC,MAAT9pB,EAAEjE,KAAe+tB,GAAI,EAAI/tB,KACzB,IAAI2Z,EAAI,GACR,KAAO3Z,EAAIiE,EAAE7L,QAAmB,MAAT6L,EAAEjE,IAAuB,MAATiE,EAAEjE,IAAuB,OAATiE,EAAEjE,IAAuB,OAATiE,EAAEjE,IACnE,OAATiE,EAAEjE,GAAaA,IACV2Z,GAAK1V,EAAEjE,GACT,GAAI2Z,EAAIA,EAAE2W,OAA4B,MAApB3W,EAAEA,EAAEvhB,OAAS,KAAeuhB,EAAIA,EAAErf,UAAU,EAAGqf,EAAEvhB,OAAS,GAAI4H,MAAOuwB,GAAG5W,GAAI,CAC5F,IAAI6B,EACJ,OAA+BA,EAAJ,IAApB7B,EAAE2W,OAAOl4B,OAAmB,2BAAiC,QAAUuhB,EAAI,wBAAyBC,GAAE,aAAc4B,EAAG2U,GAAElsB,EAAGjE,GACrI,CACA,MAAM2O,EAAI6hB,GAAGvsB,EAAGjE,GAChB,IAAU,IAAN2O,EACF,OAAOiL,GAAE,cAAe,mBAAqBD,EAAI,qBAAsBwW,GAAElsB,EAAGjE,IAC9E,IAAIqvB,EAAI1gB,EAAEnC,MACV,GAAIxM,EAAI2O,EAAE1N,MAA2B,MAApBouB,EAAEA,EAAEj3B,OAAS,GAAY,CACxC,MAAMojB,EAAIxb,EAAIqvB,EAAEj3B,OAChBi3B,EAAIA,EAAE/0B,UAAU,EAAG+0B,EAAEj3B,OAAS,GAC9B,MAAMk3B,EAAImB,GAAEpB,EAAGp3B,GACf,IAAU,IAANq3B,EAGF,OAAO1V,GAAE0V,EAAE7T,IAAIiV,KAAMpB,EAAE7T,IAAIkV,IAAKR,GAAElsB,EAAGuX,EAAI8T,EAAE7T,IAAImV,OAF/CtV,GAAI,CAGR,MAAO,GAAIyS,EACT,KAAIpf,EAAEkiB,UAgBJ,OAAOjX,GAAE,aAAc,gBAAkBD,EAAI,iCAAkCwW,GAAElsB,EAAGjE,IAfpF,GAAIqvB,EAAEiB,OAAOl4B,OAAS,EACpB,OAAOwhB,GAAE,aAAc,gBAAkBD,EAAI,+CAAgDwW,GAAElsB,EAAGsmB,IACpG,CACE,MAAM/O,EAAI3C,EAAEwU,MACZ,GAAI1T,IAAM6B,EAAEsV,QAAS,CACnB,IAAIxB,EAAIa,GAAElsB,EAAGuX,EAAEuV,aACf,OAAOnX,GACL,aACA,yBAA2B4B,EAAEsV,QAAU,qBAAuBxB,EAAEsB,KAAO,SAAWtB,EAAE0B,IAAM,6BAA+BrX,EAAI,KAC7HwW,GAAElsB,EAAGsmB,GAET,CACY,GAAZ1R,EAAEzgB,SAAgB0H,GAAI,EACxB,CAEuF,KACtF,CACH,MAAM0b,EAAIiV,GAAEpB,EAAGp3B,GACf,IAAU,IAANujB,EACF,OAAO5B,GAAE4B,EAAEC,IAAIiV,KAAMlV,EAAEC,IAAIkV,IAAKR,GAAElsB,EAAGjE,EAAIqvB,EAAEj3B,OAASojB,EAAEC,IAAImV,OAC5D,IAAU,IAAN9wB,EACF,OAAO8Z,GAAE,aAAc,sCAAuCuW,GAAElsB,EAAGjE,KACtC,IAA/B/H,EAAE+3B,aAAa7mB,QAAQwQ,IAAad,EAAEpV,KAAK,CAAEqtB,QAASnX,EAAGoX,YAAaxG,IAAMjP,GAAI,CAClF,CACA,IAAKtb,IAAKA,EAAIiE,EAAE7L,OAAQ4H,IACtB,GAAa,MAATiE,EAAEjE,GACJ,IAAiB,MAAbiE,EAAEjE,EAAI,GAAY,CACpBA,IAAKA,EAAIowB,EAAEnsB,EAAGjE,GACd,QACF,CAAO,GAAiB,MAAbiE,EAAEjE,EAAI,GAIf,MAHA,GAAIA,EAAIkwB,EAAEjsB,IAAKjE,GAAIA,EAAEyb,IACnB,OAAOzb,CAEJ,MACJ,GAAa,MAATiE,EAAEjE,GAAY,CACrB,MAAMwb,EAAIyV,GAAGhtB,EAAGjE,GAChB,IAAU,GAANwb,EACF,OAAO5B,GAAE,cAAe,4BAA6BuW,GAAElsB,EAAGjE,IAC5DA,EAAIwb,CACN,MAAO,IAAU,IAAN1b,IAAamwB,EAAEhsB,EAAEjE,IAC1B,OAAO4Z,GAAE,aAAc,wBAAyBuW,GAAElsB,EAAGjE,IAChD,MAATiE,EAAEjE,IAAcA,GAClB,CACF,CAIA,CACF,OAAIsb,EACc,GAAZzC,EAAEzgB,OACGwhB,GAAE,aAAc,iBAAmBf,EAAE,GAAGiY,QAAU,KAAMX,GAAElsB,EAAG4U,EAAE,GAAGkY,gBACvElY,EAAEzgB,OAAS,IACNwhB,GAAE,aAAc,YAAcnf,KAAKC,UAAUme,EAAExgB,KAAK2H,GAAMA,EAAE8wB,UAAU,KAAM,GAAG7nB,QAAQ,SAAU,IAAM,WAAY,CAAE2nB,KAAM,EAAGI,IAAK,IAErIpX,GAAE,aAAc,sBAAuB,EAElD,EA2CA,MAAMsX,EAAK,IAAKC,EAAK,IACrB,SAASX,GAAGvsB,EAAGhM,GACb,IAAI4gB,EAAI,GAAIyC,EAAI,GAAIxb,GAAI,EACxB,KAAO7H,EAAIgM,EAAE7L,OAAQH,IAAK,CACxB,GAAIgM,EAAEhM,KAAOi5B,GAAMjtB,EAAEhM,KAAOk5B,EACpB,KAAN7V,EAAWA,EAAIrX,EAAEhM,GAAKqjB,IAAMrX,EAAEhM,KAAOqjB,EAAI,SACtC,GAAa,MAATrX,EAAEhM,IAAoB,KAANqjB,EAAU,CACjCxb,GAAI,EACJ,KACF,CACA+Y,GAAK5U,EAAEhM,EACT,CACA,MAAa,KAANqjB,GAAgB,CACrB9O,MAAOqM,EACP5X,MAAOhJ,EACP44B,UAAW/wB,EAEf,CACA,MAAMsxB,GAAK,IAAIlC,OAAO,0DAA0D,KAChF,SAASuB,GAAExsB,EAAGhM,GACZ,MAAM4gB,EAAIgX,EAAEJ,cAAcxrB,EAAGmtB,IAAK9V,EAAI,CAAC,EACvC,IAAK,IAAIxb,EAAI,EAAGA,EAAI+Y,EAAEzgB,OAAQ0H,IAAK,CACjC,GAAuB,IAAnB+Y,EAAE/Y,GAAG,GAAG1H,OACV,OAAOwhB,GAAE,cAAe,cAAgBf,EAAE/Y,GAAG,GAAK,8BAA+B2lB,GAAE5M,EAAE/Y,KACvF,QAAgB,IAAZ+Y,EAAE/Y,GAAG,SAA6B,IAAZ+Y,EAAE/Y,GAAG,GAC7B,OAAO8Z,GAAE,cAAe,cAAgBf,EAAE/Y,GAAG,GAAK,sBAAuB2lB,GAAE5M,EAAE/Y,KAC/E,QAAgB,IAAZ+Y,EAAE/Y,GAAG,KAAkB7H,EAAE83B,uBAC3B,OAAOnW,GAAE,cAAe,sBAAwBf,EAAE/Y,GAAG,GAAK,oBAAqB2lB,GAAE5M,EAAE/Y,KACrF,MAAME,EAAI6Y,EAAE/Y,GAAG,GACf,IAAKuxB,GAAGrxB,GACN,OAAO4Z,GAAE,cAAe,cAAgB5Z,EAAI,wBAAyBylB,GAAE5M,EAAE/Y,KAC3E,GAAKwb,EAAE3T,eAAe3H,GAGpB,OAAO4Z,GAAE,cAAe,cAAgB5Z,EAAI,iBAAkBylB,GAAE5M,EAAE/Y,KAFlEwb,EAAEtb,GAAK,CAGX,CACA,OAAO,CACT,CAWA,SAASixB,GAAGhtB,EAAGhM,GACb,GAAkB,MAATgM,IAALhM,GACF,OAAQ,EACV,GAAa,MAATgM,EAAEhM,GACJ,OAdJ,SAAYgM,EAAGhM,GACb,IAAI4gB,EAAI,KACR,IAAc,MAAT5U,EAAEhM,KAAeA,IAAK4gB,EAAI,cAAe5gB,EAAIgM,EAAE7L,OAAQH,IAAK,CAC/D,GAAa,MAATgM,EAAEhM,GACJ,OAAOA,EACT,IAAKgM,EAAEhM,GAAGkW,MAAM0K,GACd,KACJ,CACA,OAAQ,CACV,CAKgByY,CAAGrtB,IAARhM,GACT,IAAI4gB,EAAI,EACR,KAAO5gB,EAAIgM,EAAE7L,OAAQH,IAAK4gB,IACxB,KAAM5U,EAAEhM,GAAGkW,MAAM,OAAS0K,EAAI,IAAK,CACjC,GAAa,MAAT5U,EAAEhM,GACJ,MACF,OAAQ,CACV,CACF,OAAOA,CACT,CACA,SAAS2hB,GAAE3V,EAAGhM,EAAG4gB,GACf,MAAO,CACL4C,IAAK,CACHiV,KAAMzsB,EACN0sB,IAAK14B,EACL24B,KAAM/X,EAAE+X,MAAQ/X,EAChBmY,IAAKnY,EAAEmY,KAGb,CACA,SAASK,GAAGptB,GACV,OAAO4rB,EAAEL,OAAOvrB,EAClB,CACA,SAASssB,GAAGtsB,GACV,OAAO4rB,EAAEL,OAAOvrB,EAClB,CACA,SAASksB,GAAElsB,EAAGhM,GACZ,MAAM4gB,EAAI5U,EAAE3J,UAAU,EAAGrC,GAAGgW,MAAM,SAClC,MAAO,CACL2iB,KAAM/X,EAAEzgB,OAER44B,IAAKnY,EAAEA,EAAEzgB,OAAS,GAAGA,OAAS,EAElC,CACA,SAASqtB,GAAExhB,GACT,OAAOA,EAAEyrB,WAAazrB,EAAE,GAAG7L,MAC7B,CACA,IAAIwS,GAAI,CAAC,EACT,MAAMsD,GAAK,CACTqjB,eAAe,EACfC,oBAAqB,KACrBC,qBAAqB,EACrBC,aAAc,QACdC,kBAAkB,EAClBC,gBAAgB,EAEhB7B,wBAAwB,EAGxB8B,eAAe,EACfC,qBAAqB,EACrBC,YAAY,EAEZC,eAAe,EACfC,mBAAoB,CAClBC,KAAK,EACLC,cAAc,EACdC,WAAW,GAEbC,kBAAmB,SAASpuB,EAAGhM,GAC7B,OAAOA,CACT,EACAq6B,wBAAyB,SAASruB,EAAGhM,GACnC,OAAOA,CACT,EACAs6B,UAAW,GAEXC,sBAAsB,EACtB7mB,QAAS,KAAM,EACf8mB,iBAAiB,EACjBzC,aAAc,GACd0C,iBAAiB,EACjBC,cAAc,EACdC,mBAAmB,EACnBC,cAAc,EACdC,kBAAkB,EAClBC,wBAAwB,EACxBC,UAAW,SAAS/uB,EAAGhM,EAAG4gB,GACxB,OAAO5U,CACT,GAKF2G,GAAEqoB,aAHM,SAAShvB,GACf,OAAOsD,OAAOK,OAAO,CAAC,EAAGsG,GAAIjK,EAC/B,EAEA2G,GAAEsoB,eAAiBhlB,GAanB,MAAMilB,GAAKlE,EAmCX,SAASmE,GAAGnvB,EAAGhM,GACb,IAAI4gB,EAAI,GACR,KAAO5gB,EAAIgM,EAAE7L,QAAmB,MAAT6L,EAAEhM,IAAuB,MAATgM,EAAEhM,GAAYA,IACnD4gB,GAAK5U,EAAEhM,GACT,GAAI4gB,EAAIA,EAAEyX,QAA4B,IAApBzX,EAAE1P,QAAQ,KAC1B,MAAM,IAAIvI,MAAM,sCAClB,MAAM0a,EAAIrX,EAAEhM,KACZ,IAAI6H,EAAI,GACR,KAAO7H,EAAIgM,EAAE7L,QAAU6L,EAAEhM,KAAOqjB,EAAGrjB,IACjC6H,GAAKmE,EAAEhM,GACT,MAAO,CAAC4gB,EAAG/Y,EAAG7H,EAChB,CACA,SAASo7B,GAAGpvB,EAAGhM,GACb,MAAoB,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,EACvD,CACA,SAASq7B,GAAGrvB,EAAGhM,GACb,MAAoB,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,EACvI,CACA,SAASs7B,GAAGtvB,EAAGhM,GACb,MAAoB,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,EAC3J,CACA,SAASu7B,GAAGvvB,EAAGhM,GACb,MAAoB,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,EAC3J,CACA,SAASw7B,GAAGxvB,EAAGhM,GACb,MAAoB,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,EAC/K,CACA,SAASy7B,GAAGzvB,GACV,GAAIkvB,GAAG3D,OAAOvrB,GACZ,OAAOA,EACT,MAAM,IAAIrD,MAAM,uBAAuBqD,IACzC,CAEA,MAAM0vB,GAAK,wBAAyBC,GAAK,+EACxC9iB,OAAOrL,UAAYrJ,OAAOqJ,WAAaqL,OAAOrL,SAAWrJ,OAAOqJ,WAChEqL,OAAO4Z,YAActuB,OAAOsuB,aAAe5Z,OAAO4Z,WAAatuB,OAAOsuB,YACvE,MAAMmJ,GAAK,CACT3B,KAAK,EACLC,cAAc,EACd2B,aAAc,IACd1B,WAAW,GAiCb,MAAM2B,GAAI9E,EAAG+E,GAxHb,MACE,WAAAltB,CAAY7O,GACVsB,KAAK06B,QAAUh8B,EAAGsB,KAAK26B,MAAQ,GAAI36B,KAAK,MAAQ,CAAC,CACnD,CACA,GAAAwH,CAAI9I,EAAG4gB,GACC,cAAN5gB,IAAsBA,EAAI,cAAesB,KAAK26B,MAAMzwB,KAAK,CAAE,CAACxL,GAAI4gB,GAClE,CACA,QAAAsb,CAASl8B,GACO,cAAdA,EAAEg8B,UAA4Bh8B,EAAEg8B,QAAU,cAAeh8B,EAAE,OAASsP,OAAOC,KAAKvP,EAAE,OAAOG,OAAS,EAAImB,KAAK26B,MAAMzwB,KAAK,CAAE,CAACxL,EAAEg8B,SAAUh8B,EAAEi8B,MAAO,KAAMj8B,EAAE,QAAWsB,KAAK26B,MAAMzwB,KAAK,CAAE,CAACxL,EAAEg8B,SAAUh8B,EAAEi8B,OACpM,GA+GmBE,GA3GrB,SAAYnwB,EAAGhM,GACb,MAAM4gB,EAAI,CAAC,EACX,GAAiB,MAAb5U,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,GA6B5G,MAAM,IAAI2I,MAAM,kCA7BwG,CACxH3I,GAAQ,EACR,IAAIqjB,EAAI,EAAGxb,GAAI,EAAIE,GAAI,EAAIuqB,EAAI,GAC/B,KAAOtyB,EAAIgM,EAAE7L,OAAQH,IACnB,GAAa,MAATgM,EAAEhM,IAAe+H,EAiBd,GAAa,MAATiE,EAAEhM,IACX,GAAI+H,EAAiB,MAAbiE,EAAEhM,EAAI,IAA2B,MAAbgM,EAAEhM,EAAI,KAAe+H,GAAI,EAAIsb,KAAOA,IAAW,IAANA,EACnE,UAEO,MAATrX,EAAEhM,GAAa6H,GAAI,EAAKyqB,GAAKtmB,EAAEhM,OArBT,CACtB,GAAI6H,GAAKwzB,GAAGrvB,EAAGhM,GACbA,GAAK,GAAIo8B,WAAYC,IAAKr8B,GAAKm7B,GAAGnvB,EAAGhM,EAAI,IAA0B,IAAtBq8B,IAAInrB,QAAQ,OAAgB0P,EAAE6a,GAAGW,aAAe,CAC3FE,KAAMrF,OAAO,IAAImF,cAAe,KAChCC,WAEC,GAAIx0B,GAAKyzB,GAAGtvB,EAAGhM,GAClBA,GAAK,OACF,GAAI6H,GAAK0zB,GAAGvvB,EAAGhM,GAClBA,GAAK,OACF,GAAI6H,GAAK2zB,GAAGxvB,EAAGhM,GAClBA,GAAK,MACF,KAAIo7B,GAGP,MAAM,IAAIzyB,MAAM,mBAFhBZ,GAAI,CAE8B,CACpCsb,IAAKiP,EAAI,EACX,CAKF,GAAU,IAANjP,EACF,MAAM,IAAI1a,MAAM,mBACpB,CAEA,MAAO,CAAE4zB,SAAU3b,EAAG7Y,EAAG/H,EAC3B,EA0E8Bw8B,GA9B9B,SAAYxwB,EAAGhM,EAAI,CAAC,GAClB,GAAIA,EAAIsP,OAAOK,OAAO,CAAC,EAAGisB,GAAI57B,IAAKgM,GAAiB,iBAALA,EAC7C,OAAOA,EACT,IAAI4U,EAAI5U,EAAEqsB,OACV,QAAmB,IAAfr4B,EAAEy8B,UAAuBz8B,EAAEy8B,SAASnrB,KAAKsP,GAC3C,OAAO5U,EACT,GAAIhM,EAAEi6B,KAAOyB,GAAGpqB,KAAKsP,GACnB,OAAO/H,OAAOrL,SAASoT,EAAG,IAC5B,CACE,MAAMyC,EAAIsY,GAAGj7B,KAAKkgB,GAClB,GAAIyC,EAAG,CACL,MAAMxb,EAAIwb,EAAE,GAAItb,EAAIsb,EAAE,GACtB,IAAIiP,EAcV,SAAYtmB,GACV,OAAOA,IAAyB,IAApBA,EAAEkF,QAAQ,OAAgD,OAAhClF,EAAIA,EAAEgF,QAAQ,MAAO,KAAiBhF,EAAI,IAAe,MAATA,EAAE,GAAaA,EAAI,IAAMA,EAAwB,MAApBA,EAAEA,EAAE7L,OAAS,KAAe6L,EAAIA,EAAE+kB,OAAO,EAAG/kB,EAAE7L,OAAS,KAAM6L,CAClL,CAhBc0wB,CAAGrZ,EAAE,IACb,MAAMyS,EAAIzS,EAAE,IAAMA,EAAE,GACpB,IAAKrjB,EAAEk6B,cAAgBnyB,EAAE5H,OAAS,GAAK0H,GAAc,MAAT+Y,EAAE,GAC5C,OAAO5U,EACT,IAAKhM,EAAEk6B,cAAgBnyB,EAAE5H,OAAS,IAAM0H,GAAc,MAAT+Y,EAAE,GAC7C,OAAO5U,EACT,CACE,MAAM0V,EAAI7I,OAAO+H,GAAIlK,EAAI,GAAKgL,EAC9B,OAA6B,IAAtBhL,EAAEqT,OAAO,SAAkB+L,EAAI91B,EAAEm6B,UAAYzY,EAAI1V,GAAwB,IAApB4U,EAAE1P,QAAQ,KAAoB,MAANwF,GAAmB,KAAN4b,GAAY5b,IAAM4b,GAAKzqB,GAAK6O,IAAM,IAAM4b,EAAI5Q,EAAI1V,EAAIjE,EAAIuqB,IAAM5b,GAAK7O,EAAIyqB,IAAM5b,EAAIgL,EAAI1V,EAAI4U,IAAMlK,GAAKkK,IAAM/Y,EAAI6O,EAAIgL,EAAI1V,CACzN,CACF,CACE,OAAOA,CACX,CACF,EA+BA,SAAS+W,GAAG/W,GACV,MAAMhM,EAAIsP,OAAOC,KAAKvD,GACtB,IAAK,IAAI4U,EAAI,EAAGA,EAAI5gB,EAAEG,OAAQygB,IAAK,CACjC,MAAMyC,EAAIrjB,EAAE4gB,GACZtf,KAAKq7B,aAAatZ,GAAK,CACrBuZ,MAAO,IAAI3F,OAAO,IAAM5T,EAAI,IAAK,KACjCgZ,IAAKrwB,EAAEqX,GAEX,CACF,CACA,SAASwZ,GAAG7wB,EAAGhM,EAAG4gB,EAAGyC,EAAGxb,EAAGE,EAAGuqB,GAC5B,QAAU,IAANtmB,IAAiB1K,KAAKiE,QAAQu0B,aAAezW,IAAMrX,EAAIA,EAAEqsB,QAASrsB,EAAE7L,OAAS,GAAI,CACnFmyB,IAAMtmB,EAAI1K,KAAKw7B,qBAAqB9wB,IACpC,MAAM8pB,EAAIx0B,KAAKiE,QAAQ60B,kBAAkBp6B,EAAGgM,EAAG4U,EAAG/Y,EAAGE,GACrD,OAAY,MAAL+tB,EAAY9pB,SAAW8pB,UAAY9pB,GAAK8pB,IAAM9pB,EAAI8pB,EAAIx0B,KAAKiE,QAAQu0B,YAAiF9tB,EAAEqsB,SAAWrsB,EAAjF+wB,GAAE/wB,EAAG1K,KAAKiE,QAAQq0B,cAAet4B,KAAKiE,QAAQy0B,oBAA2GhuB,CAClP,CACF,CACA,SAASgxB,GAAGhxB,GACV,GAAI1K,KAAKiE,QAAQo0B,eAAgB,CAC/B,MAAM35B,EAAIgM,EAAEgK,MAAM,KAAM4K,EAAoB,MAAhB5U,EAAEixB,OAAO,GAAa,IAAM,GACxD,GAAa,UAATj9B,EAAE,GACJ,MAAO,GACI,IAAbA,EAAEG,SAAiB6L,EAAI4U,EAAI5gB,EAAE,GAC/B,CACA,OAAOgM,CACT,CAlDA,wFAAwFgF,QAAQ,QAAS8qB,GAAEnE,YAmD3G,MAAMuF,GAAK,IAAIjG,OAAO,+CAA+C,MACrE,SAASkG,GAAGnxB,EAAGhM,EAAG4gB,GAChB,IAAKtf,KAAKiE,QAAQm0B,kBAAgC,iBAAL1tB,EAAe,CAC1D,MAAMqX,EAAIyY,GAAEtE,cAAcxrB,EAAGkxB,IAAKr1B,EAAIwb,EAAEljB,OAAQ4H,EAAI,CAAC,EACrD,IAAK,IAAIuqB,EAAI,EAAGA,EAAIzqB,EAAGyqB,IAAK,CAC1B,MAAMwD,EAAIx0B,KAAK87B,iBAAiB/Z,EAAEiP,GAAG,IACrC,IAAI5Q,EAAI2B,EAAEiP,GAAG,GAAI5b,EAAIpV,KAAKiE,QAAQg0B,oBAAsBzD,EACxD,GAAIA,EAAE31B,OACJ,GAAImB,KAAKiE,QAAQu1B,yBAA2BpkB,EAAIpV,KAAKiE,QAAQu1B,uBAAuBpkB,IAAW,cAANA,IAAsBA,EAAI,mBAAqB,IAANgL,EAAc,CAC9IpgB,KAAKiE,QAAQu0B,aAAepY,EAAIA,EAAE2W,QAAS3W,EAAIpgB,KAAKw7B,qBAAqBpb,GACzE,MAAM0V,EAAI91B,KAAKiE,QAAQ80B,wBAAwBvE,EAAGpU,EAAG1hB,GACzC+H,EAAE2O,GAAT,MAAL0gB,EAAmB1V,SAAW0V,UAAY1V,GAAK0V,IAAM1V,EAAW0V,EAAW2F,GACzErb,EACApgB,KAAKiE,QAAQs0B,oBACbv4B,KAAKiE,QAAQy0B,mBAEjB,MACE14B,KAAKiE,QAAQuyB,yBAA2B/vB,EAAE2O,IAAK,EACrD,CACA,IAAKpH,OAAOC,KAAKxH,GAAG5H,OAClB,OACF,GAAImB,KAAKiE,QAAQi0B,oBAAqB,CACpC,MAAMlH,EAAI,CAAC,EACX,OAAOA,EAAEhxB,KAAKiE,QAAQi0B,qBAAuBzxB,EAAGuqB,CAClD,CACA,OAAOvqB,CACT,CACF,CACA,MAAMs1B,GAAK,SAASrxB,GAClBA,EAAIA,EAAEgF,QAAQ,SAAU,MAExB,MAAMhR,EAAI,IAAI+7B,GAAE,QAChB,IAAInb,EAAI5gB,EAAGqjB,EAAI,GAAIxb,EAAI,GACvB,IAAK,IAAIE,EAAI,EAAGA,EAAIiE,EAAE7L,OAAQ4H,IAC5B,GAAa,MAATiE,EAAEjE,GACJ,GAAiB,MAAbiE,EAAEjE,EAAI,GAAY,CACpB,MAAM+tB,EAAIwH,GAAEtxB,EAAG,IAAKjE,EAAG,8BACvB,IAAI2Z,EAAI1V,EAAE3J,UAAU0F,EAAI,EAAG+tB,GAAGuC,OAC9B,GAAI/2B,KAAKiE,QAAQo0B,eAAgB,CAC/B,MAAMpW,EAAI7B,EAAExQ,QAAQ,MACb,IAAPqS,IAAa7B,EAAIA,EAAEqP,OAAOxN,EAAI,GAChC,CACAjiB,KAAKiE,QAAQs1B,mBAAqBnZ,EAAIpgB,KAAKiE,QAAQs1B,iBAAiBnZ,IAAKd,IAAMyC,EAAI/hB,KAAKi8B,oBAAoBla,EAAGzC,EAAG/Y,IAClH,MAAM6O,EAAI7O,EAAExF,UAAUwF,EAAE21B,YAAY,KAAO,GAC3C,GAAI9b,IAA+C,IAA1CpgB,KAAKiE,QAAQwyB,aAAa7mB,QAAQwQ,GACzC,MAAM,IAAI/Y,MAAM,kDAAkD+Y,MACpE,IAAI0V,EAAI,EACR1gB,IAA+C,IAA1CpV,KAAKiE,QAAQwyB,aAAa7mB,QAAQwF,IAAa0gB,EAAIvvB,EAAE21B,YAAY,IAAK31B,EAAE21B,YAAY,KAAO,GAAIl8B,KAAKm8B,cAAcrI,OAASgC,EAAIvvB,EAAE21B,YAAY,KAAM31B,EAAIA,EAAExF,UAAU,EAAG+0B,GAAIxW,EAAItf,KAAKm8B,cAAcrI,MAAO/R,EAAI,GAAItb,EAAI+tB,CAC3N,MAAO,GAAiB,MAAb9pB,EAAEjE,EAAI,GAAY,CAC3B,IAAI+tB,EAAI4H,GAAE1xB,EAAGjE,GAAG,EAAI,MACpB,IAAK+tB,EACH,MAAM,IAAIntB,MAAM,yBAClB,GAAI0a,EAAI/hB,KAAKi8B,oBAAoBla,EAAGzC,EAAG/Y,KAAMvG,KAAKiE,QAAQo1B,mBAAmC,SAAd7E,EAAE+C,SAAsBv3B,KAAKiE,QAAQq1B,cAAe,CACjI,MAAMlZ,EAAI,IAAIqa,GAAEjG,EAAE+C,SAClBnX,EAAE5Y,IAAIxH,KAAKiE,QAAQk0B,aAAc,IAAK3D,EAAE+C,UAAY/C,EAAE6H,QAAU7H,EAAE8H,iBAAmBlc,EAAE,MAAQpgB,KAAKu8B,mBAAmB/H,EAAE6H,OAAQ91B,EAAGiuB,EAAE+C,UAAWv3B,KAAK46B,SAAStb,EAAGc,EAAG7Z,EACvK,CACAE,EAAI+tB,EAAEgI,WAAa,CACrB,MAAO,GAA2B,QAAvB9xB,EAAE+kB,OAAOhpB,EAAI,EAAG,GAAc,CACvC,MAAM+tB,EAAIwH,GAAEtxB,EAAG,SAAOjE,EAAI,EAAG,0BAC7B,GAAIzG,KAAKiE,QAAQi1B,gBAAiB,CAChC,MAAM9Y,EAAI1V,EAAE3J,UAAU0F,EAAI,EAAG+tB,EAAI,GACjCzS,EAAI/hB,KAAKi8B,oBAAoBla,EAAGzC,EAAG/Y,GAAI+Y,EAAE9X,IAAIxH,KAAKiE,QAAQi1B,gBAAiB,CAAC,CAAE,CAACl5B,KAAKiE,QAAQk0B,cAAe/X,IAC7G,CACA3Z,EAAI+tB,CACN,MAAO,GAA2B,OAAvB9pB,EAAE+kB,OAAOhpB,EAAI,EAAG,GAAa,CACtC,MAAM+tB,EAAIqG,GAAGnwB,EAAGjE,GAChBzG,KAAKy8B,gBAAkBjI,EAAEyG,SAAUx0B,EAAI+tB,EAAE/tB,CAC3C,MAAO,GAA2B,OAAvBiE,EAAE+kB,OAAOhpB,EAAI,EAAG,GAAa,CACtC,MAAM+tB,EAAIwH,GAAEtxB,EAAG,MAAOjE,EAAG,wBAA0B,EAAG2Z,EAAI1V,EAAE3J,UAAU0F,EAAI,EAAG+tB,GAC7E,GAAIzS,EAAI/hB,KAAKi8B,oBAAoBla,EAAGzC,EAAG/Y,GAAIvG,KAAKiE,QAAQw0B,cACtDnZ,EAAE9X,IAAIxH,KAAKiE,QAAQw0B,cAAe,CAAC,CAAE,CAACz4B,KAAKiE,QAAQk0B,cAAe/X,SAC/D,CACH,IAAIhL,EAAIpV,KAAK08B,cAActc,EAAGd,EAAEob,QAASn0B,GAAG,GAAI,GAAI,GAC/C,MAAL6O,IAAcA,EAAI,IAAKkK,EAAE9X,IAAIxH,KAAKiE,QAAQk0B,aAAc/iB,EAC1D,CACA3O,EAAI+tB,EAAI,CACV,KAAO,CACL,IAAIA,EAAI4H,GAAE1xB,EAAGjE,EAAGzG,KAAKiE,QAAQo0B,gBAAiBjY,EAAIoU,EAAE+C,QACpD,MAAMniB,EAAIof,EAAEmI,WACZ,IAAI7G,EAAItB,EAAE6H,OAAQpa,EAAIuS,EAAE8H,eAAgBvG,EAAIvB,EAAEgI,WAC9Cx8B,KAAKiE,QAAQs1B,mBAAqBnZ,EAAIpgB,KAAKiE,QAAQs1B,iBAAiBnZ,IAAKd,GAAKyC,GAAmB,SAAdzC,EAAEob,UAAuB3Y,EAAI/hB,KAAKi8B,oBAAoBla,EAAGzC,EAAG/Y,GAAG,IAClJ,MAAMiiB,EAAIlJ,EACV,GAAIkJ,IAAuD,IAAlDxoB,KAAKiE,QAAQwyB,aAAa7mB,QAAQ4Y,EAAEkS,WAAoBpb,EAAItf,KAAKm8B,cAAcrI,MAAOvtB,EAAIA,EAAExF,UAAU,EAAGwF,EAAE21B,YAAY,OAAQ9b,IAAM1hB,EAAEg8B,UAAYn0B,GAAKA,EAAI,IAAM6Z,EAAIA,GAAIpgB,KAAK48B,aAAa58B,KAAKiE,QAAQ+0B,UAAWzyB,EAAG6Z,GAAI,CAClO,IAAIyc,EAAI,GACR,GAAI/G,EAAEj3B,OAAS,GAAKi3B,EAAEoG,YAAY,OAASpG,EAAEj3B,OAAS,EACpD4H,EAAI+tB,EAAEgI,gBACH,IAA8C,IAA1Cx8B,KAAKiE,QAAQwyB,aAAa7mB,QAAQwQ,GACzC3Z,EAAI+tB,EAAEgI,eACH,CACH,MAAMM,EAAI98B,KAAK+8B,iBAAiBryB,EAAG0K,EAAG2gB,EAAI,GAC1C,IAAK+G,EACH,MAAM,IAAIz1B,MAAM,qBAAqB+N,KACvC3O,EAAIq2B,EAAEr2B,EAAGo2B,EAAIC,EAAEE,UACjB,CACA,MAAMC,EAAI,IAAIxC,GAAEra,GAChBA,IAAM0V,GAAK7T,IAAMgb,EAAE,MAAQj9B,KAAKu8B,mBAAmBzG,EAAGvvB,EAAG6Z,IAAKyc,IAAMA,EAAI78B,KAAK08B,cAAcG,EAAGzc,EAAG7Z,GAAG,EAAI0b,GAAG,GAAI,IAAM1b,EAAIA,EAAEkpB,OAAO,EAAGlpB,EAAE21B,YAAY,MAAOe,EAAEz1B,IAAIxH,KAAKiE,QAAQk0B,aAAc0E,GAAI78B,KAAK46B,SAAStb,EAAG2d,EAAG12B,EACrN,KAAO,CACL,GAAIuvB,EAAEj3B,OAAS,GAAKi3B,EAAEoG,YAAY,OAASpG,EAAEj3B,OAAS,EAAG,CACnC,MAApBuhB,EAAEA,EAAEvhB,OAAS,IAAcuhB,EAAIA,EAAEqP,OAAO,EAAGrP,EAAEvhB,OAAS,GAAI0H,EAAIA,EAAEkpB,OAAO,EAAGlpB,EAAE1H,OAAS,GAAIi3B,EAAI1V,GAAK0V,EAAIA,EAAErG,OAAO,EAAGqG,EAAEj3B,OAAS,GAAImB,KAAKiE,QAAQs1B,mBAAqBnZ,EAAIpgB,KAAKiE,QAAQs1B,iBAAiBnZ,IACrM,MAAMyc,EAAI,IAAIpC,GAAEra,GAChBA,IAAM0V,GAAK7T,IAAM4a,EAAE,MAAQ78B,KAAKu8B,mBAAmBzG,EAAGvvB,EAAG6Z,IAAKpgB,KAAK46B,SAAStb,EAAGud,EAAGt2B,GAAIA,EAAIA,EAAEkpB,OAAO,EAAGlpB,EAAE21B,YAAY,KACtH,KAAO,CACL,MAAMW,EAAI,IAAIpC,GAAEra,GAChBpgB,KAAKm8B,cAAcjyB,KAAKoV,GAAIc,IAAM0V,GAAK7T,IAAM4a,EAAE,MAAQ78B,KAAKu8B,mBAAmBzG,EAAGvvB,EAAG6Z,IAAKpgB,KAAK46B,SAAStb,EAAGud,EAAGt2B,GAAI+Y,EAAIud,CACxH,CACA9a,EAAI,GAAItb,EAAIsvB,CACd,CACF,MAEAhU,GAAKrX,EAAEjE,GACX,OAAO/H,EAAEi8B,KACX,EACA,SAASuC,GAAGxyB,EAAGhM,EAAG4gB,GAChB,MAAMyC,EAAI/hB,KAAKiE,QAAQw1B,UAAU/6B,EAAEg8B,QAASpb,EAAG5gB,EAAE,QAC3C,IAANqjB,IAAyB,iBAALA,IAAkBrjB,EAAEg8B,QAAU3Y,GAAIrX,EAAEkwB,SAASl8B,GACnE,CACA,MAAMy+B,GAAK,SAASzyB,GAClB,GAAI1K,KAAKiE,QAAQk1B,gBAAiB,CAChC,IAAK,IAAIz6B,KAAKsB,KAAKy8B,gBAAiB,CAClC,MAAMnd,EAAItf,KAAKy8B,gBAAgB/9B,GAC/BgM,EAAIA,EAAEgF,QAAQ4P,EAAE0b,KAAM1b,EAAEyb,IAC1B,CACA,IAAK,IAAIr8B,KAAKsB,KAAKq7B,aAAc,CAC/B,MAAM/b,EAAItf,KAAKq7B,aAAa38B,GAC5BgM,EAAIA,EAAEgF,QAAQ4P,EAAEgc,MAAOhc,EAAEyb,IAC3B,CACA,GAAI/6B,KAAKiE,QAAQm1B,aACf,IAAK,IAAI16B,KAAKsB,KAAKo5B,aAAc,CAC/B,MAAM9Z,EAAItf,KAAKo5B,aAAa16B,GAC5BgM,EAAIA,EAAEgF,QAAQ4P,EAAEgc,MAAOhc,EAAEyb,IAC3B,CACFrwB,EAAIA,EAAEgF,QAAQ1P,KAAKo9B,UAAU9B,MAAOt7B,KAAKo9B,UAAUrC,IACrD,CACA,OAAOrwB,CACT,EACA,SAAS2yB,GAAG3yB,EAAGhM,EAAG4gB,EAAGyC,GACnB,OAAOrX,SAAY,IAANqX,IAAiBA,EAAoC,IAAhC/T,OAAOC,KAAKvP,EAAEi8B,OAAO97B,aAO9C,KAP6D6L,EAAI1K,KAAK08B,cAC7EhyB,EACAhM,EAAEg8B,QACFpb,GACA,IACA5gB,EAAE,OAAwC,IAAhCsP,OAAOC,KAAKvP,EAAE,OAAOG,OAC/BkjB,KACuB,KAANrX,GAAYhM,EAAE8I,IAAIxH,KAAKiE,QAAQk0B,aAAcztB,GAAIA,EAAI,IAAKA,CAC/E,CACA,SAAS4yB,GAAG5yB,EAAGhM,EAAG4gB,GAChB,MAAMyC,EAAI,KAAOzC,EACjB,IAAK,MAAM/Y,KAAKmE,EAAG,CACjB,MAAMjE,EAAIiE,EAAEnE,GACZ,GAAIwb,IAAMtb,GAAK/H,IAAM+H,EACnB,OAAO,CACX,CACA,OAAO,CACT,CA0BA,SAASu1B,GAAEtxB,EAAGhM,EAAG4gB,EAAGyC,GAClB,MAAMxb,EAAImE,EAAEkF,QAAQlR,EAAG4gB,GACvB,IAAW,IAAP/Y,EACF,MAAM,IAAIc,MAAM0a,GAClB,OAAOxb,EAAI7H,EAAEG,OAAS,CACxB,CACA,SAASu9B,GAAE1xB,EAAGhM,EAAG4gB,EAAGyC,EAAI,KACtB,MAAMxb,EAhCR,SAAYmE,EAAGhM,EAAG4gB,EAAI,KACpB,IAAIyC,EAAGxb,EAAI,GACX,IAAK,IAAIE,EAAI/H,EAAG+H,EAAIiE,EAAE7L,OAAQ4H,IAAK,CACjC,IAAIuqB,EAAItmB,EAAEjE,GACV,GAAIsb,EACFiP,IAAMjP,IAAMA,EAAI,SACb,GAAU,MAANiP,GAAmB,MAANA,EACpBjP,EAAIiP,OACD,GAAIA,IAAM1R,EAAE,GACf,KAAIA,EAAE,GAOJ,MAAO,CACLrc,KAAMsD,EACNmB,MAAOjB,GART,GAAIiE,EAAEjE,EAAI,KAAO6Y,EAAE,GACjB,MAAO,CACLrc,KAAMsD,EACNmB,MAAOjB,EAMV,KAEG,OAANuqB,IAAcA,EAAI,KACpBzqB,GAAKyqB,CACP,CACF,CAQYuM,CAAG7yB,EAAGhM,EAAI,EAAGqjB,GACvB,IAAKxb,EACH,OACF,IAAIE,EAAIF,EAAEtD,KACV,MAAM+tB,EAAIzqB,EAAEmB,MAAO8sB,EAAI/tB,EAAEgiB,OAAO,MAChC,IAAIrI,EAAI3Z,EAAG2O,GAAI,GACR,IAAPof,IAAapU,EAAI3Z,EAAEgpB,OAAO,EAAG+E,GAAG9kB,QAAQ,SAAU,IAAKjJ,EAAIA,EAAEgpB,OAAO+E,EAAI,IACxE,MAAMsB,EAAI1V,EACV,GAAId,EAAG,CACL,MAAM2C,EAAI7B,EAAExQ,QAAQ,MACb,IAAPqS,IAAa7B,EAAIA,EAAEqP,OAAOxN,EAAI,GAAI7M,EAAIgL,IAAM7Z,EAAEtD,KAAKwsB,OAAOxN,EAAI,GAChE,CACA,MAAO,CACLsV,QAASnX,EACTic,OAAQ51B,EACR+1B,WAAYxL,EACZsL,eAAgBlnB,EAChBunB,WAAY7G,EAEhB,CACA,SAAS0H,GAAG9yB,EAAGhM,EAAG4gB,GAChB,MAAMyC,EAAIzC,EACV,IAAI/Y,EAAI,EACR,KAAO+Y,EAAI5U,EAAE7L,OAAQygB,IACnB,GAAa,MAAT5U,EAAE4U,GACJ,GAAiB,MAAb5U,EAAE4U,EAAI,GAAY,CACpB,MAAM7Y,EAAIu1B,GAAEtxB,EAAG,IAAK4U,EAAG,GAAG5gB,mBAC1B,GAAIgM,EAAE3J,UAAUue,EAAI,EAAG7Y,GAAGswB,SAAWr4B,IAAM6H,IAAW,IAANA,GAC9C,MAAO,CACLy2B,WAAYtyB,EAAE3J,UAAUghB,EAAGzC,GAC3B7Y,KAEJ6Y,EAAI7Y,CACN,MAAO,GAAiB,MAAbiE,EAAE4U,EAAI,GACfA,EAAI0c,GAAEtxB,EAAG,KAAM4U,EAAI,EAAG,gCACnB,GAA2B,QAAvB5U,EAAE+kB,OAAOnQ,EAAI,EAAG,GACvBA,EAAI0c,GAAEtxB,EAAG,SAAO4U,EAAI,EAAG,gCACpB,GAA2B,OAAvB5U,EAAE+kB,OAAOnQ,EAAI,EAAG,GACvBA,EAAI0c,GAAEtxB,EAAG,MAAO4U,EAAG,2BAA6B,MAC7C,CACH,MAAM7Y,EAAI21B,GAAE1xB,EAAG4U,EAAG,KAClB7Y,KAAOA,GAAKA,EAAE8wB,WAAa74B,GAAuC,MAAlC+H,EAAE41B,OAAO51B,EAAE41B,OAAOx9B,OAAS,IAAc0H,IAAK+Y,EAAI7Y,EAAE+1B,WACtF,CACN,CACA,SAASf,GAAE/wB,EAAGhM,EAAG4gB,GACf,GAAI5gB,GAAiB,iBAALgM,EAAe,CAC7B,MAAMqX,EAAIrX,EAAEqsB,OACZ,MAAa,SAANhV,GAA0B,UAANA,GAAqBmZ,GAAGxwB,EAAG4U,EACxD,CACE,OAAOkb,GAAE5E,QAAQlrB,GAAKA,EAAI,EAC9B,CACA,IAAa+yB,GAAK,CAAC,EAInB,SAASC,GAAGhzB,EAAGhM,EAAG4gB,GAChB,IAAIyC,EACJ,MAAMxb,EAAI,CAAC,EACX,IAAK,IAAIE,EAAI,EAAGA,EAAIiE,EAAE7L,OAAQ4H,IAAK,CACjC,MAAMuqB,EAAItmB,EAAEjE,GAAI+tB,EAAImJ,GAAG3M,GACvB,IAAI5Q,EAAI,GACR,GAAmBA,OAAT,IAANd,EAAmBkV,EAAQlV,EAAI,IAAMkV,EAAGA,IAAM91B,EAAEy5B,kBAC5C,IAANpW,EAAeA,EAAIiP,EAAEwD,GAAKzS,GAAK,GAAKiP,EAAEwD,OACnC,CACH,QAAU,IAANA,EACF,SACF,GAAIxD,EAAEwD,GAAI,CACR,IAAIpf,EAAIsoB,GAAG1M,EAAEwD,GAAI91B,EAAG0hB,GACpB,MAAM0V,EAAI8H,GAAGxoB,EAAG1W,GAChBsyB,EAAE,MAAQ6M,GAAGzoB,EAAG4b,EAAE,MAAO5Q,EAAG1hB,GAA+B,IAA1BsP,OAAOC,KAAKmH,GAAGvW,aAAsC,IAAtBuW,EAAE1W,EAAEy5B,eAA6Bz5B,EAAEu6B,qBAAyE,IAA1BjrB,OAAOC,KAAKmH,GAAGvW,SAAiBH,EAAEu6B,qBAAuB7jB,EAAE1W,EAAEy5B,cAAgB,GAAK/iB,EAAI,IAA9GA,EAAIA,EAAE1W,EAAEy5B,mBAAoH,IAAT5xB,EAAEiuB,IAAiBjuB,EAAE6H,eAAeomB,IAAMnyB,MAAM+P,QAAQ7L,EAAEiuB,MAAQjuB,EAAEiuB,GAAK,CAACjuB,EAAEiuB,KAAMjuB,EAAEiuB,GAAGtqB,KAAKkL,IAAM1W,EAAE0T,QAAQoiB,EAAGpU,EAAG0V,GAAKvvB,EAAEiuB,GAAK,CAACpf,GAAK7O,EAAEiuB,GAAKpf,CAC1X,CACF,CACF,CACA,MAAmB,iBAAL2M,EAAgBA,EAAEljB,OAAS,IAAM0H,EAAE7H,EAAEy5B,cAAgBpW,QAAW,IAANA,IAAiBxb,EAAE7H,EAAEy5B,cAAgBpW,GAAIxb,CACnH,CACA,SAASo3B,GAAGjzB,GACV,MAAMhM,EAAIsP,OAAOC,KAAKvD,GACtB,IAAK,IAAI4U,EAAI,EAAGA,EAAI5gB,EAAEG,OAAQygB,IAAK,CACjC,MAAMyC,EAAIrjB,EAAE4gB,GACZ,GAAU,OAANyC,EACF,OAAOA,CACX,CACF,CACA,SAAS8b,GAAGnzB,EAAGhM,EAAG4gB,EAAGyC,GACnB,GAAIrjB,EAAG,CACL,MAAM6H,EAAIyH,OAAOC,KAAKvP,GAAI+H,EAAIF,EAAE1H,OAChC,IAAK,IAAImyB,EAAI,EAAGA,EAAIvqB,EAAGuqB,IAAK,CAC1B,MAAMwD,EAAIjuB,EAAEyqB,GACZjP,EAAE3P,QAAQoiB,EAAGlV,EAAI,IAAMkV,GAAG,GAAI,GAAM9pB,EAAE8pB,GAAK,CAAC91B,EAAE81B,IAAM9pB,EAAE8pB,GAAK91B,EAAE81B,EAC/D,CACF,CACF,CACA,SAASoJ,GAAGlzB,EAAGhM,GACb,MAAQy5B,aAAc7Y,GAAM5gB,EAAGqjB,EAAI/T,OAAOC,KAAKvD,GAAG7L,OAClD,QAAgB,IAANkjB,IAAiB,IAANA,IAAYrX,EAAE4U,IAAqB,kBAAR5U,EAAE4U,IAA4B,IAAT5U,EAAE4U,IACzE,CACAme,GAAGK,SA5CH,SAAYpzB,EAAGhM,GACb,OAAOg/B,GAAGhzB,EAAGhM,EACf,EA2CA,MAAQg7B,aAAcqE,IAAO1sB,GAAG2sB,GA7UvB,MACP,WAAAzwB,CAAY7O,GACVsB,KAAKiE,QAAUvF,EAAGsB,KAAKi+B,YAAc,KAAMj+B,KAAKm8B,cAAgB,GAAIn8B,KAAKy8B,gBAAkB,CAAC,EAAGz8B,KAAKq7B,aAAe,CACjH6C,KAAM,CAAE5C,MAAO,qBAAsBP,IAAK,KAC1CyC,GAAI,CAAElC,MAAO,mBAAoBP,IAAK,KACtCmC,GAAI,CAAE5B,MAAO,mBAAoBP,IAAK,KACtCoD,KAAM,CAAE7C,MAAO,qBAAsBP,IAAK,MACzC/6B,KAAKo9B,UAAY,CAAE9B,MAAO,oBAAqBP,IAAK,KAAO/6B,KAAKo5B,aAAe,CAChFgF,MAAO,CAAE9C,MAAO,iBAAkBP,IAAK,KAMvCsD,KAAM,CAAE/C,MAAO,iBAAkBP,IAAK,KACtCuD,MAAO,CAAEhD,MAAO,kBAAmBP,IAAK,KACxCwD,IAAK,CAAEjD,MAAO,gBAAiBP,IAAK,KACpCyD,KAAM,CAAElD,MAAO,kBAAmBP,IAAK,KACvC0D,UAAW,CAAEnD,MAAO,iBAAkBP,IAAK,KAC3C2D,IAAK,CAAEpD,MAAO,gBAAiBP,IAAK,KACpC4D,IAAK,CAAErD,MAAO,iBAAkBP,IAAK,MACpC/6B,KAAK4+B,oBAAsBnd,GAAIzhB,KAAK6+B,SAAW9C,GAAI/7B,KAAK08B,cAAgBnB,GAAIv7B,KAAK87B,iBAAmBJ,GAAI17B,KAAKu8B,mBAAqBV,GAAI77B,KAAK48B,aAAeU,GAAIt9B,KAAKw7B,qBAAuB2B,GAAIn9B,KAAK+8B,iBAAmBS,GAAIx9B,KAAKi8B,oBAAsBoB,GAAIr9B,KAAK46B,SAAWsC,EAC9Q,IAuTyCY,SAAUgB,IAAOrB,GAAIsB,GAAKtJ,EAiDrE,SAASuJ,GAAGt0B,EAAGhM,EAAG4gB,EAAGyC,GACnB,IAAIxb,EAAI,GAAIE,GAAI,EAChB,IAAK,IAAIuqB,EAAI,EAAGA,EAAItmB,EAAE7L,OAAQmyB,IAAK,CACjC,MAAMwD,EAAI9pB,EAAEsmB,GAAI5Q,EAAI6e,GAAGzK,GACvB,QAAU,IAANpU,EACF,SACF,IAAIhL,EAAI,GACR,GAAqBA,EAAJ,IAAbkK,EAAEzgB,OAAmBuhB,EAAQ,GAAGd,KAAKc,IAAKA,IAAM1hB,EAAEy5B,aAAc,CAClE,IAAI0E,EAAIrI,EAAEpU,GACV8e,GAAG9pB,EAAG1W,KAAOm+B,EAAIn+B,EAAEo6B,kBAAkB1Y,EAAGyc,GAAIA,EAAIsC,GAAGtC,EAAGn+B,IAAK+H,IAAMF,GAAKwb,GAAIxb,GAAKs2B,EAAGp2B,GAAI,EACtF,QACF,CAAO,GAAI2Z,IAAM1hB,EAAE+5B,cAAe,CAChChyB,IAAMF,GAAKwb,GAAIxb,GAAK,YAAYiuB,EAAEpU,GAAG,GAAG1hB,EAAEy5B,mBAAoB1xB,GAAI,EAClE,QACF,CAAO,GAAI2Z,IAAM1hB,EAAEw6B,gBAAiB,CAClC3yB,GAAKwb,EAAI,UAAOyS,EAAEpU,GAAG,GAAG1hB,EAAEy5B,sBAAoB1xB,GAAI,EAClD,QACF,CAAO,GAAa,MAAT2Z,EAAE,GAAY,CACvB,MAAMyc,EAAIuC,GAAE5K,EAAE,MAAO91B,GAAIu+B,EAAU,SAAN7c,EAAe,GAAK2B,EACjD,IAAI+a,EAAItI,EAAEpU,GAAG,GAAG1hB,EAAEy5B,cAClB2E,EAAiB,IAAbA,EAAEj+B,OAAe,IAAMi+B,EAAI,GAAIv2B,GAAK02B,EAAI,IAAI7c,IAAI0c,IAAID,MAAOp2B,GAAI,EACnE,QACF,CACA,IAAIqvB,EAAI/T,EACF,KAAN+T,IAAaA,GAAKp3B,EAAE2gC,UACpB,MAAyBtJ,EAAIhU,EAAI,IAAI3B,IAA3Bgf,GAAE5K,EAAE,MAAO91B,KAAyB8pB,EAAIwW,GAAGxK,EAAEpU,GAAI1hB,EAAG0W,EAAG0gB,IAClC,IAA/Bp3B,EAAE+3B,aAAa7mB,QAAQwQ,GAAY1hB,EAAE4gC,qBAAuB/4B,GAAKwvB,EAAI,IAAMxvB,GAAKwvB,EAAI,KAASvN,GAAkB,IAAbA,EAAE3pB,SAAiBH,EAAE6gC,kBAAoC/W,GAAKA,EAAEgX,SAAS,KAAOj5B,GAAKwvB,EAAI,IAAIvN,IAAIzG,MAAM3B,MAAQ7Z,GAAKwvB,EAAI,IAAKvN,GAAW,KAANzG,IAAayG,EAAE9hB,SAAS,OAAS8hB,EAAE9hB,SAAS,OAASH,GAAKwb,EAAIrjB,EAAE2gC,SAAW7W,EAAIzG,EAAIxb,GAAKiiB,EAAGjiB,GAAK,KAAK6Z,MAA9L7Z,GAAKwvB,EAAI,KAA4LtvB,GAAI,CACtV,CACA,OAAOF,CACT,CACA,SAAS04B,GAAGv0B,GACV,MAAMhM,EAAIsP,OAAOC,KAAKvD,GACtB,IAAK,IAAI4U,EAAI,EAAGA,EAAI5gB,EAAEG,OAAQygB,IAAK,CACjC,MAAMyC,EAAIrjB,EAAE4gB,GACZ,GAAI5U,EAAE0D,eAAe2T,IAAY,OAANA,EACzB,OAAOA,CACX,CACF,CACA,SAASqd,GAAE10B,EAAGhM,GACZ,IAAI4gB,EAAI,GACR,GAAI5U,IAAMhM,EAAE05B,iBACV,IAAK,IAAIrW,KAAKrX,EAAG,CACf,IAAKA,EAAE0D,eAAe2T,GACpB,SACF,IAAIxb,EAAI7H,EAAEq6B,wBAAwBhX,EAAGrX,EAAEqX,IACvCxb,EAAI44B,GAAG54B,EAAG7H,IAAU,IAAN6H,GAAY7H,EAAE+gC,0BAA4BngB,GAAK,IAAIyC,EAAE0N,OAAO/wB,EAAEu5B,oBAAoBp5B,UAAYygB,GAAK,IAAIyC,EAAE0N,OAAO/wB,EAAEu5B,oBAAoBp5B,YAAY0H,IAClK,CACF,OAAO+Y,CACT,CACA,SAAS4f,GAAGx0B,EAAGhM,GAEb,IAAI4gB,GADJ5U,EAAIA,EAAE+kB,OAAO,EAAG/kB,EAAE7L,OAASH,EAAEy5B,aAAat5B,OAAS,IACzC4wB,OAAO/kB,EAAEwxB,YAAY,KAAO,GACtC,IAAK,IAAIna,KAAKrjB,EAAEs6B,UACd,GAAIt6B,EAAEs6B,UAAUjX,KAAOrX,GAAKhM,EAAEs6B,UAAUjX,KAAO,KAAOzC,EACpD,OAAO,EACX,OAAO,CACT,CACA,SAAS6f,GAAGz0B,EAAGhM,GACb,GAAIgM,GAAKA,EAAE7L,OAAS,GAAKH,EAAEy6B,gBACzB,IAAK,IAAI7Z,EAAI,EAAGA,EAAI5gB,EAAEu8B,SAASp8B,OAAQygB,IAAK,CAC1C,MAAMyC,EAAIrjB,EAAEu8B,SAAS3b,GACrB5U,EAAIA,EAAEgF,QAAQqS,EAAEuZ,MAAOvZ,EAAEgZ,IAC3B,CACF,OAAOrwB,CACT,CAEA,MAAMg1B,GAtEN,SAAYh1B,EAAGhM,GACb,IAAI4gB,EAAI,GACR,OAAO5gB,EAAEihC,QAAUjhC,EAAE2gC,SAASxgC,OAAS,IAAMygB,EAJpC,MAI6C0f,GAAGt0B,EAAGhM,EAAG,GAAI4gB,EACrE,EAmEesgB,GAAK,CAClB3H,oBAAqB,KACrBC,qBAAqB,EACrBC,aAAc,QACdC,kBAAkB,EAClBK,eAAe,EACfkH,QAAQ,EACRN,SAAU,KACVE,mBAAmB,EACnBD,sBAAsB,EACtBG,2BAA2B,EAC3B3G,kBAAmB,SAASpuB,EAAGhM,GAC7B,OAAOA,CACT,EACAq6B,wBAAyB,SAASruB,EAAGhM,GACnC,OAAOA,CACT,EACAs5B,eAAe,EACfkB,iBAAiB,EACjBzC,aAAc,GACdwE,SAAU,CACR,CAAEK,MAAO,IAAI3F,OAAO,IAAK,KAAMoF,IAAK,SAEpC,CAAEO,MAAO,IAAI3F,OAAO,IAAK,KAAMoF,IAAK,QACpC,CAAEO,MAAO,IAAI3F,OAAO,IAAK,KAAMoF,IAAK,QACpC,CAAEO,MAAO,IAAI3F,OAAO,IAAK,KAAMoF,IAAK,UACpC,CAAEO,MAAO,IAAI3F,OAAO,IAAK,KAAMoF,IAAK,WAEtC5B,iBAAiB,EACjBH,UAAW,GAGX6G,cAAc,GAEhB,SAASxqB,GAAE3K,GACT1K,KAAKiE,QAAU+J,OAAOK,OAAO,CAAC,EAAGuxB,GAAIl1B,GAAI1K,KAAKiE,QAAQm0B,kBAAoBp4B,KAAKiE,QAAQi0B,oBAAsBl4B,KAAK8/B,YAAc,WAC9H,OAAO,CACT,GAAK9/B,KAAK+/B,cAAgB//B,KAAKiE,QAAQg0B,oBAAoBp5B,OAAQmB,KAAK8/B,YAAcE,IAAKhgC,KAAKigC,qBAAuBC,GAAIlgC,KAAKiE,QAAQ07B,QAAU3/B,KAAKmgC,UAAYC,GAAIpgC,KAAKqgC,WAAa,MACxLrgC,KAAKsgC,QAAU,OACZtgC,KAAKmgC,UAAY,WACnB,MAAO,EACT,EAAGngC,KAAKqgC,WAAa,IAAKrgC,KAAKsgC,QAAU,GAC3C,CA4CA,SAASJ,GAAGx1B,EAAGhM,EAAG4gB,GAChB,MAAMyC,EAAI/hB,KAAKugC,IAAI71B,EAAG4U,EAAI,GAC1B,YAAwC,IAAjC5U,EAAE1K,KAAKiE,QAAQk0B,eAAsD,IAA1BnqB,OAAOC,KAAKvD,GAAG7L,OAAemB,KAAKwgC,iBAAiB91B,EAAE1K,KAAKiE,QAAQk0B,cAAez5B,EAAGqjB,EAAE0e,QAASnhB,GAAKtf,KAAK0gC,gBAAgB3e,EAAEgZ,IAAKr8B,EAAGqjB,EAAE0e,QAASnhB,EACnM,CAiCA,SAAS8gB,GAAG11B,GACV,OAAO1K,KAAKiE,QAAQo7B,SAASsB,OAAOj2B,EACtC,CACA,SAASs1B,GAAGt1B,GACV,SAAOA,EAAEvI,WAAWnC,KAAKiE,QAAQg0B,sBAAwBvtB,IAAM1K,KAAKiE,QAAQk0B,eAAeztB,EAAE+kB,OAAOzvB,KAAK+/B,cAC3G,CApFA1qB,GAAE9D,UAAU7T,MAAQ,SAASgN,GAC3B,OAAO1K,KAAKiE,QAAQ+zB,cAAgB0H,GAAGh1B,EAAG1K,KAAKiE,UAAY5B,MAAM+P,QAAQ1H,IAAM1K,KAAKiE,QAAQ28B,eAAiB5gC,KAAKiE,QAAQ28B,cAAc/hC,OAAS,IAAM6L,EAAI,CACzJ,CAAC1K,KAAKiE,QAAQ28B,eAAgBl2B,IAC5B1K,KAAKugC,IAAI71B,EAAG,GAAGqwB,IACrB,EACA1lB,GAAE9D,UAAUgvB,IAAM,SAAS71B,EAAGhM,GAC5B,IAAI4gB,EAAI,GAAIyC,EAAI,GAChB,IAAK,IAAIxb,KAAKmE,EACZ,GAAIsD,OAAOuD,UAAUnD,eAAeoD,KAAK9G,EAAGnE,GAC1C,UAAWmE,EAAEnE,GAAK,IAChBvG,KAAK8/B,YAAYv5B,KAAOwb,GAAK,SAC1B,GAAa,OAATrX,EAAEnE,GACTvG,KAAK8/B,YAAYv5B,GAAKwb,GAAK,GAAc,MAATxb,EAAE,GAAawb,GAAK/hB,KAAKmgC,UAAUzhC,GAAK,IAAM6H,EAAI,IAAMvG,KAAKqgC,WAAate,GAAK/hB,KAAKmgC,UAAUzhC,GAAK,IAAM6H,EAAI,IAAMvG,KAAKqgC,gBACrJ,GAAI31B,EAAEnE,aAAc+F,KACvByV,GAAK/hB,KAAKwgC,iBAAiB91B,EAAEnE,GAAIA,EAAG,GAAI7H,QACrC,GAAmB,iBAARgM,EAAEnE,GAAgB,CAChC,MAAME,EAAIzG,KAAK8/B,YAAYv5B,GAC3B,GAAIE,EACF6Y,GAAKtf,KAAK6gC,iBAAiBp6B,EAAG,GAAKiE,EAAEnE,SAClC,GAAIA,IAAMvG,KAAKiE,QAAQk0B,aAAc,CACxC,IAAInH,EAAIhxB,KAAKiE,QAAQ60B,kBAAkBvyB,EAAG,GAAKmE,EAAEnE,IACjDwb,GAAK/hB,KAAKw7B,qBAAqBxK,EACjC,MACEjP,GAAK/hB,KAAKwgC,iBAAiB91B,EAAEnE,GAAIA,EAAG,GAAI7H,EAC5C,MAAO,GAAI2D,MAAM+P,QAAQ1H,EAAEnE,IAAK,CAC9B,MAAME,EAAIiE,EAAEnE,GAAG1H,OACf,IAAImyB,EAAI,GACR,IAAK,IAAIwD,EAAI,EAAGA,EAAI/tB,EAAG+tB,IAAK,CAC1B,MAAMpU,EAAI1V,EAAEnE,GAAGiuB,UACRpU,EAAI,MAAc,OAANA,EAAsB,MAAT7Z,EAAE,GAAawb,GAAK/hB,KAAKmgC,UAAUzhC,GAAK,IAAM6H,EAAI,IAAMvG,KAAKqgC,WAAate,GAAK/hB,KAAKmgC,UAAUzhC,GAAK,IAAM6H,EAAI,IAAMvG,KAAKqgC,WAAyB,iBAALjgB,EAAgBpgB,KAAKiE,QAAQ47B,aAAe7O,GAAKhxB,KAAKugC,IAAIngB,EAAG1hB,EAAI,GAAGq8B,IAAM/J,GAAKhxB,KAAKigC,qBAAqB7f,EAAG7Z,EAAG7H,GAAKsyB,GAAKhxB,KAAKwgC,iBAAiBpgB,EAAG7Z,EAAG,GAAI7H,GACvU,CACAsB,KAAKiE,QAAQ47B,eAAiB7O,EAAIhxB,KAAK0gC,gBAAgB1P,EAAGzqB,EAAG,GAAI7H,IAAKqjB,GAAKiP,CAC7E,MAAO,GAAIhxB,KAAKiE,QAAQi0B,qBAAuB3xB,IAAMvG,KAAKiE,QAAQi0B,oBAAqB,CACrF,MAAMzxB,EAAIuH,OAAOC,KAAKvD,EAAEnE,IAAKyqB,EAAIvqB,EAAE5H,OACnC,IAAK,IAAI21B,EAAI,EAAGA,EAAIxD,EAAGwD,IACrBlV,GAAKtf,KAAK6gC,iBAAiBp6B,EAAE+tB,GAAI,GAAK9pB,EAAEnE,GAAGE,EAAE+tB,IACjD,MACEzS,GAAK/hB,KAAKigC,qBAAqBv1B,EAAEnE,GAAIA,EAAG7H,GAC9C,MAAO,CAAE+hC,QAASnhB,EAAGyb,IAAKhZ,EAC5B,EACA1M,GAAE9D,UAAUsvB,iBAAmB,SAASn2B,EAAGhM,GACzC,OAAOA,EAAIsB,KAAKiE,QAAQ80B,wBAAwBruB,EAAG,GAAKhM,GAAIA,EAAIsB,KAAKw7B,qBAAqB98B,GAAIsB,KAAKiE,QAAQw7B,2BAAmC,SAAN/gC,EAAe,IAAMgM,EAAI,IAAMA,EAAI,KAAOhM,EAAI,GACxL,EAKA2W,GAAE9D,UAAUmvB,gBAAkB,SAASh2B,EAAGhM,EAAG4gB,EAAGyC,GAC9C,GAAU,KAANrX,EACF,MAAgB,MAAThM,EAAE,GAAasB,KAAKmgC,UAAUpe,GAAK,IAAMrjB,EAAI4gB,EAAI,IAAMtf,KAAKqgC,WAAargC,KAAKmgC,UAAUpe,GAAK,IAAMrjB,EAAI4gB,EAAItf,KAAK8gC,SAASpiC,GAAKsB,KAAKqgC,WAC5I,CACE,IAAI95B,EAAI,KAAO7H,EAAIsB,KAAKqgC,WAAY55B,EAAI,GACxC,MAAgB,MAAT/H,EAAE,KAAe+H,EAAI,IAAKF,EAAI,KAAM+Y,GAAW,KAANA,IAAiC,IAApB5U,EAAEkF,QAAQ,MAAmG,IAAjC5P,KAAKiE,QAAQi1B,iBAA0Bx6B,IAAMsB,KAAKiE,QAAQi1B,iBAAgC,IAAbzyB,EAAE5H,OAAemB,KAAKmgC,UAAUpe,GAAK,UAAOrX,UAAS1K,KAAKsgC,QAAUtgC,KAAKmgC,UAAUpe,GAAK,IAAMrjB,EAAI4gB,EAAI7Y,EAAIzG,KAAKqgC,WAAa31B,EAAI1K,KAAKmgC,UAAUpe,GAAKxb,EAArRvG,KAAKmgC,UAAUpe,GAAK,IAAMrjB,EAAI4gB,EAAI7Y,EAAI,IAAMiE,EAAInE,CACvI,CACF,EACA8O,GAAE9D,UAAUuvB,SAAW,SAASp2B,GAC9B,IAAIhM,EAAI,GACR,OAAiD,IAA1CsB,KAAKiE,QAAQwyB,aAAa7mB,QAAQlF,GAAY1K,KAAKiE,QAAQq7B,uBAAyB5gC,EAAI,KAAwCA,EAAjCsB,KAAKiE,QAAQs7B,kBAAwB,IAAU,MAAM70B,IAAKhM,CAClK,EACA2W,GAAE9D,UAAUivB,iBAAmB,SAAS91B,EAAGhM,EAAG4gB,EAAGyC,GAC/C,IAAmC,IAA/B/hB,KAAKiE,QAAQw0B,eAAwB/5B,IAAMsB,KAAKiE,QAAQw0B,cAC1D,OAAOz4B,KAAKmgC,UAAUpe,GAAK,YAAYrX,OAAS1K,KAAKsgC,QACvD,IAAqC,IAAjCtgC,KAAKiE,QAAQi1B,iBAA0Bx6B,IAAMsB,KAAKiE,QAAQi1B,gBAC5D,OAAOl5B,KAAKmgC,UAAUpe,GAAK,UAAOrX,UAAS1K,KAAKsgC,QAClD,GAAa,MAAT5hC,EAAE,GACJ,OAAOsB,KAAKmgC,UAAUpe,GAAK,IAAMrjB,EAAI4gB,EAAI,IAAMtf,KAAKqgC,WACtD,CACE,IAAI95B,EAAIvG,KAAKiE,QAAQ60B,kBAAkBp6B,EAAGgM,GAC1C,OAAOnE,EAAIvG,KAAKw7B,qBAAqBj1B,GAAU,KAANA,EAAWvG,KAAKmgC,UAAUpe,GAAK,IAAMrjB,EAAI4gB,EAAItf,KAAK8gC,SAASpiC,GAAKsB,KAAKqgC,WAAargC,KAAKmgC,UAAUpe,GAAK,IAAMrjB,EAAI4gB,EAAI,IAAM/Y,EAAI,KAAO7H,EAAIsB,KAAKqgC,UACzL,CACF,EACAhrB,GAAE9D,UAAUiqB,qBAAuB,SAAS9wB,GAC1C,GAAIA,GAAKA,EAAE7L,OAAS,GAAKmB,KAAKiE,QAAQk1B,gBACpC,IAAK,IAAIz6B,EAAI,EAAGA,EAAIsB,KAAKiE,QAAQg3B,SAASp8B,OAAQH,IAAK,CACrD,MAAM4gB,EAAItf,KAAKiE,QAAQg3B,SAASv8B,GAChCgM,EAAIA,EAAEgF,QAAQ4P,EAAEgc,MAAOhc,EAAEyb,IAC3B,CACF,OAAOrwB,CACT,EASA,IAAIq2B,GAAI,CACNC,UArPO,MACP,WAAAzzB,CAAY7O,GACVsB,KAAKihC,iBAAmB,CAAC,EAAGjhC,KAAKiE,QAAU85B,GAAGr/B,EAChD,CAMA,KAAA+C,CAAM/C,EAAG4gB,GACP,GAAgB,iBAAL5gB,EACT,KAAIA,EAAEoC,SAGJ,MAAM,IAAIuG,MAAM,mDAFhB3I,EAAIA,EAAEoC,UAE4D,CACtE,GAAIwe,EAAG,EACC,IAANA,IAAaA,EAAI,CAAC,GAClB,MAAM7Y,EAAIs4B,GAAGjI,SAASp4B,EAAG4gB,GACzB,IAAU,IAAN7Y,EACF,MAAMY,MAAM,GAAGZ,EAAEyb,IAAIkV,OAAO3wB,EAAEyb,IAAImV,QAAQ5wB,EAAEyb,IAAIuV,MACpD,CACA,MAAM1V,EAAI,IAAIic,GAAGh+B,KAAKiE,SACtB8d,EAAE6c,oBAAoB5+B,KAAKihC,kBAC3B,MAAM16B,EAAIwb,EAAE8c,SAASngC,GACrB,OAAOsB,KAAKiE,QAAQ+zB,oBAAuB,IAANzxB,EAAeA,EAAIu4B,GAAGv4B,EAAGvG,KAAKiE,QACrE,CAMA,SAAAi9B,CAAUxiC,EAAG4gB,GACX,IAAwB,IAApBA,EAAE1P,QAAQ,KACZ,MAAM,IAAIvI,MAAM,+BAClB,IAAwB,IAApB3I,EAAEkR,QAAQ,OAAmC,IAApBlR,EAAEkR,QAAQ,KACrC,MAAM,IAAIvI,MAAM,wEAClB,GAAU,MAANiY,EACF,MAAM,IAAIjY,MAAM,6CAClBrH,KAAKihC,iBAAiBviC,GAAK4gB,CAC7B,GA+MA6hB,aAHS1L,EAIT2L,WALO/rB,IA0CT,MAAMgsB,GACJC,MACA,WAAA/zB,CAAY7O,GACV6iC,GAAG7iC,GAAIsB,KAAKshC,MAAQ5iC,CACtB,CACA,MAAIN,GACF,OAAO4B,KAAKshC,MAAMljC,EACpB,CACA,QAAI+H,GACF,OAAOnG,KAAKshC,MAAMn7B,IACpB,CACA,WAAI0X,GACF,OAAO7d,KAAKshC,MAAMzjB,OACpB,CACA,cAAIC,GACF,OAAO9d,KAAKshC,MAAMxjB,UACpB,CACA,gBAAIC,GACF,OAAO/d,KAAKshC,MAAMvjB,YACpB,CACA,eAAI3H,GACF,OAAOpW,KAAKshC,MAAMlrB,WACpB,CACA,QAAIhM,GACF,OAAOpK,KAAKshC,MAAMl3B,IACpB,CACA,QAAIA,CAAK1L,GACPsB,KAAKshC,MAAMl3B,KAAO1L,CACpB,CACA,SAAIuB,GACF,OAAOD,KAAKshC,MAAMrhC,KACpB,CACA,SAAIA,CAAMvB,GACRsB,KAAKshC,MAAMrhC,MAAQvB,CACrB,CACA,UAAImY,GACF,OAAO7W,KAAKshC,MAAMzqB,MACpB,CACA,UAAIA,CAAOnY,GACTsB,KAAKshC,MAAMzqB,OAASnY,CACtB,CACA,WAAIqY,GACF,OAAO/W,KAAKshC,MAAMvqB,OACpB,CACA,aAAIyqB,GACF,OAAOxhC,KAAKshC,MAAME,SACpB,CACA,UAAI1qB,GACF,OAAO9W,KAAKshC,MAAMxqB,MACpB,CACA,UAAI2qB,GACF,OAAOzhC,KAAKshC,MAAMG,MACpB,CACA,YAAIC,GACF,OAAO1hC,KAAKshC,MAAMI,QACpB,CACA,YAAIA,CAAShjC,GACXsB,KAAKshC,MAAMI,SAAWhjC,CACxB,CACA,kBAAIwgB,GACF,OAAOlf,KAAKshC,MAAMpiB,cACpB,EAEF,MAAMqiB,GAAK,SAAS72B,GAClB,IAAKA,EAAEtM,IAAqB,iBAARsM,EAAEtM,GACpB,MAAM,IAAIiJ,MAAM,4CAClB,IAAKqD,EAAEvE,MAAyB,iBAAVuE,EAAEvE,KACtB,MAAM,IAAIkB,MAAM,8CAClB,GAAIqD,EAAEqM,SAAWrM,EAAEqM,QAAQlY,OAAS,KAAO6L,EAAEmT,SAA+B,iBAAbnT,EAAEmT,SAC/D,MAAM,IAAIxW,MAAM,qEAClB,IAAKqD,EAAE0L,aAAuC,mBAAjB1L,EAAE0L,YAC7B,MAAM,IAAI/O,MAAM,uDAClB,IAAKqD,EAAEN,MAAyB,iBAAVM,EAAEN,OA3G1B,SAAYM,GACV,GAAgB,iBAALA,EACT,MAAM,IAAIyW,UAAU,uCAAuCzW,OAC7D,GAA+B,KAA3BA,EAAIA,EAAEqsB,QAAUl4B,SAA+C,IAA/BkiC,GAAEI,aAAarK,SAASpsB,GAC1D,OAAO,EACT,IAAIhM,EACJ,MAAM4gB,EAAI,IAAIyhB,GAAEC,UAChB,IACEtiC,EAAI4gB,EAAE7d,MAAMiJ,EACd,CAAE,MACA,OAAO,CACT,CACA,SAAUhM,KAAO,QAASA,GAC5B,CA8F+CijC,CAAGj3B,EAAEN,MAChD,MAAM,IAAI/C,MAAM,wDAClB,KAAM,UAAWqD,IAAwB,iBAAXA,EAAEzK,MAC9B,MAAM,IAAIoH,MAAM,+CAClB,GAAIqD,EAAEqM,SAAWrM,EAAEqM,QAAQ7I,SAASxP,IAClC,KAAMA,aAAa02B,GACjB,MAAM,IAAI/tB,MAAM,gEAAgE,IAChFqD,EAAE82B,WAAmC,mBAAf92B,EAAE82B,UAC1B,MAAM,IAAIn6B,MAAM,qCAClB,GAAIqD,EAAEoM,QAA6B,iBAAZpM,EAAEoM,OACvB,MAAM,IAAIzP,MAAM,gCAClB,GAAI,WAAYqD,GAAwB,kBAAZA,EAAE+2B,OAC5B,MAAM,IAAIp6B,MAAM,iCAClB,GAAI,aAAcqD,GAA0B,kBAAdA,EAAEg3B,SAC9B,MAAM,IAAIr6B,MAAM,mCAClB,GAAIqD,EAAEwU,gBAA6C,iBAApBxU,EAAEwU,eAC/B,MAAM,IAAI7X,MAAM,wCAClB,OAAO,CACT,EAuBMu6B,GAAK,SAASl3B,GAClB,OAAOoX,IAAIuO,cAAc3lB,EAC3B,EAAGm3B,GAAK,SAASn3B,GACf,OAAOoX,IAAIyO,gBAAgB7lB,EAC7B,IC9mEIo3B,EAA2B,CAAC,EAGhC,SAASC,EAAoBC,GAE5B,IAAIC,EAAeH,EAAyBE,GAC5C,QAAqBlgC,IAAjBmgC,EACH,OAAOA,EAAaniB,QAGrB,IAAID,EAASiiB,EAAyBE,GAAY,CACjD5jC,GAAI4jC,EACJE,QAAQ,EACRpiB,QAAS,CAAC,GAUX,OANAqiB,EAAoBH,GAAUxwB,KAAKqO,EAAOC,QAASD,EAAQA,EAAOC,QAASiiB,GAG3EliB,EAAOqiB,QAAS,EAGTriB,EAAOC,OACf,CAGAiiB,EAAoB9R,EAAIkS,ElE5BpB/kC,EAAW,GACf2kC,EAAoBrM,EAAI,CAAC/yB,EAAQy/B,EAAUC,EAAIC,KAC9C,IAAGF,EAAH,CAMA,IAAIG,EAAeC,IACnB,IAAS/7B,EAAI,EAAGA,EAAIrJ,EAASyB,OAAQ4H,IAAK,CACrC27B,EAAWhlC,EAASqJ,GAAG,GACvB47B,EAAKjlC,EAASqJ,GAAG,GACjB67B,EAAWllC,EAASqJ,GAAG,GAE3B,IAJA,IAGIg8B,GAAY,EACPvQ,EAAI,EAAGA,EAAIkQ,EAASvjC,OAAQqzB,MACpB,EAAXoQ,GAAsBC,GAAgBD,IAAat0B,OAAOC,KAAK8zB,EAAoBrM,GAAG12B,OAAO6C,GAASkgC,EAAoBrM,EAAE7zB,GAAKugC,EAASlQ,MAC9IkQ,EAAS1jB,OAAOwT,IAAK,IAErBuQ,GAAY,EACTH,EAAWC,IAAcA,EAAeD,IAG7C,GAAGG,EAAW,CACbrlC,EAASshB,OAAOjY,IAAK,GACrB,IAAI6Y,EAAI+iB,SACEvgC,IAANwd,IAAiB3c,EAAS2c,EAC/B,CACD,CACA,OAAO3c,CArBP,CAJC2/B,EAAWA,GAAY,EACvB,IAAI,IAAI77B,EAAIrJ,EAASyB,OAAQ4H,EAAI,GAAKrJ,EAASqJ,EAAI,GAAG,GAAK67B,EAAU77B,IAAKrJ,EAASqJ,GAAKrJ,EAASqJ,EAAI,GACrGrJ,EAASqJ,GAAK,CAAC27B,EAAUC,EAAIC,EAuBjB,EmE3BdP,EAAoBx7B,EAAKsZ,IACxB,IAAI6iB,EAAS7iB,GAAUA,EAAO8iB,WAC7B,IAAO9iB,EAAiB,QACxB,IAAM,EAEP,OADAkiB,EAAoB/Q,EAAE0R,EAAQ,CAAEttB,EAAGstB,IAC5BA,CAAM,ECLdX,EAAoB/Q,EAAI,CAAClR,EAAS8iB,KACjC,IAAI,IAAI/gC,KAAO+gC,EACXb,EAAoB3hB,EAAEwiB,EAAY/gC,KAASkgC,EAAoB3hB,EAAEN,EAASje,IAC5EmM,OAAOoV,eAAetD,EAASje,EAAK,CAAEohB,YAAY,EAAMzU,IAAKo0B,EAAW/gC,IAE1E,ECNDkgC,EAAoB9f,EAAI,CAAC,EAGzB8f,EAAoBr3B,EAAKm4B,GACjB/iC,QAAQC,IAAIiO,OAAOC,KAAK8zB,EAAoB9f,GAAGpc,QAAO,CAAC8E,EAAU9I,KACvEkgC,EAAoB9f,EAAEpgB,GAAKghC,EAASl4B,GAC7BA,IACL,KCNJo3B,EAAoBvN,EAAKqO,GAEZA,EAAU,IAAMA,EAAU,SAAW,CAAC,KAAO,uBAAuB,KAAO,wBAAwBA,GCHhHd,EAAoBvZ,EAAI,WACvB,GAA0B,iBAAf9b,WAAyB,OAAOA,WAC3C,IACC,OAAO1M,MAAQ,IAAI8iC,SAAS,cAAb,EAChB,CAAE,MAAOp4B,GACR,GAAsB,iBAAX7H,OAAqB,OAAOA,MACxC,CACA,CAPuB,GCAxBk/B,EAAoB3hB,EAAI,CAAC9O,EAAKkhB,IAAUxkB,OAAOuD,UAAUnD,eAAeoD,KAAKF,EAAKkhB,GvEA9En1B,EAAa,CAAC,EACdC,EAAoB,aAExBykC,EAAoBjM,EAAI,CAAC31B,EAAK6hB,EAAMngB,EAAKghC,KACxC,GAAGxlC,EAAW8C,GAAQ9C,EAAW8C,GAAK+J,KAAK8X,OAA3C,CACA,IAAI+gB,EAAQC,EACZ,QAAWlhC,IAARD,EAEF,IADA,IAAIohC,EAAU5iC,SAAS6iC,qBAAqB,UACpCz8B,EAAI,EAAGA,EAAIw8B,EAAQpkC,OAAQ4H,IAAK,CACvC,IAAIsb,EAAIkhB,EAAQx8B,GAChB,GAAGsb,EAAEohB,aAAa,QAAUhjC,GAAO4hB,EAAEohB,aAAa,iBAAmB7lC,EAAoBuE,EAAK,CAAEkhC,EAAShhB,EAAG,KAAO,CACpH,CAEGghB,IACHC,GAAa,GACbD,EAAS1iC,SAASC,cAAc,WAEzB8iC,QAAU,QACjBL,EAAOnX,QAAU,IACbmW,EAAoB7xB,IACvB6yB,EAAOM,aAAa,QAAStB,EAAoB7xB,IAElD6yB,EAAOM,aAAa,eAAgB/lC,EAAoBuE,GAExDkhC,EAAOO,IAAMnjC,GAEd9C,EAAW8C,GAAO,CAAC6hB,GACnB,IAAIuhB,EAAmB,CAACC,EAAMC,KAE7BV,EAAO5V,QAAU4V,EAAOhT,OAAS,KACjCtC,aAAa7B,GACb,IAAI8X,EAAUrmC,EAAW8C,GAIzB,UAHO9C,EAAW8C,GAClB4iC,EAAOY,YAAcZ,EAAOY,WAAWC,YAAYb,GACnDW,GAAWA,EAAQx1B,SAASm0B,GAAQA,EAAGoB,KACpCD,EAAM,OAAOA,EAAKC,EAAM,EAExB7X,EAAUC,WAAW0X,EAAiB32B,KAAK,UAAM9K,EAAW,CAAEC,KAAM,UAAWkG,OAAQ86B,IAAW,MACtGA,EAAO5V,QAAUoW,EAAiB32B,KAAK,KAAMm2B,EAAO5V,SACpD4V,EAAOhT,OAASwT,EAAiB32B,KAAK,KAAMm2B,EAAOhT,QACnDiT,GAAc3iC,SAASwjC,KAAK/nB,YAAYinB,EApCkB,CAoCX,EwEvChDhB,EAAoBziB,EAAKQ,IACH,oBAAXE,QAA0BA,OAAOuE,aAC1CvW,OAAOoV,eAAetD,EAASE,OAAOuE,YAAa,CAAEtR,MAAO,WAE7DjF,OAAOoV,eAAetD,EAAS,aAAc,CAAE7M,OAAO,GAAO,ECL9D8uB,EAAoB+B,IAAOjkB,IAC1BA,EAAO5V,MAAQ,GACV4V,EAAOkkB,WAAUlkB,EAAOkkB,SAAW,IACjClkB,GCHRkiB,EAAoB7P,EAAI,WCAxB,IAAI8R,EACAjC,EAAoBvZ,EAAEyb,gBAAeD,EAAYjC,EAAoBvZ,EAAE1lB,SAAW,IACtF,IAAIzC,EAAW0hC,EAAoBvZ,EAAEnoB,SACrC,IAAK2jC,GAAa3jC,IACbA,EAAS6jC,gBACZF,EAAY3jC,EAAS6jC,cAAcZ,MAC/BU,GAAW,CACf,IAAIf,EAAU5iC,EAAS6iC,qBAAqB,UAC5C,GAAGD,EAAQpkC,OAEV,IADA,IAAI4H,EAAIw8B,EAAQpkC,OAAS,EAClB4H,GAAK,IAAMu9B,GAAWA,EAAYf,EAAQx8B,KAAK68B,GAExD,CAID,IAAKU,EAAW,MAAM,IAAI38B,MAAM,yDAChC28B,EAAYA,EAAUt0B,QAAQ,OAAQ,IAAIA,QAAQ,QAAS,IAAIA,QAAQ,YAAa,KACpFqyB,EAAoB1hB,EAAI2jB,YClBxBjC,EAAoB1sB,EAAIhV,SAAS8jC,SAAW13B,KAAK3J,SAAStC,KAK1D,IAAI4jC,EAAkB,CACrB,KAAM,GAGPrC,EAAoB9f,EAAEiQ,EAAI,CAAC2Q,EAASl4B,KAElC,IAAI05B,EAAqBtC,EAAoB3hB,EAAEgkB,EAAiBvB,GAAWuB,EAAgBvB,QAAW/gC,EACtG,GAA0B,IAAvBuiC,EAGF,GAAGA,EACF15B,EAAST,KAAKm6B,EAAmB,QAC3B,CAGL,IAAIjf,EAAU,IAAItlB,SAAQ,CAAC6J,EAASC,IAAYy6B,EAAqBD,EAAgBvB,GAAW,CAACl5B,EAASC,KAC1Ge,EAAST,KAAKm6B,EAAmB,GAAKjf,GAGtC,IAAIjlB,EAAM4hC,EAAoB1hB,EAAI0hB,EAAoBvN,EAAEqO,GAEpDpjC,EAAQ,IAAI4H,MAgBhB06B,EAAoBjM,EAAE31B,GAfFsjC,IACnB,GAAG1B,EAAoB3hB,EAAEgkB,EAAiBvB,KAEf,KAD1BwB,EAAqBD,EAAgBvB,MACRuB,EAAgBvB,QAAW/gC,GACrDuiC,GAAoB,CACtB,IAAIC,EAAYb,IAAyB,SAAfA,EAAM1hC,KAAkB,UAAY0hC,EAAM1hC,MAChEwiC,EAAUd,GAASA,EAAMx7B,QAAUw7B,EAAMx7B,OAAOq7B,IACpD7jC,EAAMmJ,QAAU,iBAAmBi6B,EAAU,cAAgByB,EAAY,KAAOC,EAAU,IAC1F9kC,EAAM0G,KAAO,iBACb1G,EAAMsC,KAAOuiC,EACb7kC,EAAMwV,QAAUsvB,EAChBF,EAAmB,GAAG5kC,EACvB,CACD,GAEwC,SAAWojC,EAASA,EAE/D,CACD,EAWFd,EAAoBrM,EAAExD,EAAK2Q,GAA0C,IAA7BuB,EAAgBvB,GAGxD,IAAI2B,EAAuB,CAACC,EAA4BxhC,KACvD,IAKI++B,EAAUa,EALVT,EAAWn/B,EAAK,GAChByhC,EAAczhC,EAAK,GACnB0hC,EAAU1hC,EAAK,GAGIwD,EAAI,EAC3B,GAAG27B,EAASvkC,MAAMO,GAAgC,IAAxBgmC,EAAgBhmC,KAAa,CACtD,IAAI4jC,KAAY0C,EACZ3C,EAAoB3hB,EAAEskB,EAAa1C,KACrCD,EAAoB9R,EAAE+R,GAAY0C,EAAY1C,IAGhD,GAAG2C,EAAS,IAAIhiC,EAASgiC,EAAQ5C,EAClC,CAEA,IADG0C,GAA4BA,EAA2BxhC,GACrDwD,EAAI27B,EAASvjC,OAAQ4H,IACzBo8B,EAAUT,EAAS37B,GAChBs7B,EAAoB3hB,EAAEgkB,EAAiBvB,IAAYuB,EAAgBvB,IACrEuB,EAAgBvB,GAAS,KAE1BuB,EAAgBvB,GAAW,EAE5B,OAAOd,EAAoBrM,EAAE/yB,EAAO,EAGjCiiC,EAAqBn4B,KAA4B,sBAAIA,KAA4B,uBAAK,GAC1Fm4B,EAAmB12B,QAAQs2B,EAAqB53B,KAAK,KAAM,IAC3Dg4B,EAAmB16B,KAAOs6B,EAAqB53B,KAAK,KAAMg4B,EAAmB16B,KAAK0C,KAAKg4B,QCvFvF7C,EAAoB7xB,QAAKpO,ECGzB,IAAI+iC,EAAsB9C,EAAoBrM,OAAE5zB,EAAW,CAAC,OAAO,IAAOigC,EAAoB,SAC9F8C,EAAsB9C,EAAoBrM,EAAEmP","sources":["webpack:///nextcloud/webpack/runtime/chunk loaded","webpack:///nextcloud/webpack/runtime/load script","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/node_modules/axios/index.js","webpack:///nextcloud/apps/files/src/actions/moveOrCopyActionUtils.ts","webpack:///nextcloud/apps/files/src/utils/fileUtils.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/newMenu/newFolder.ts","webpack:///nextcloud/node_modules/@buttercup/fetch/dist/index.browser.js","webpack:///nextcloud/node_modules/hot-patcher/dist/patcher.js","webpack:///nextcloud/node_modules/hot-patcher/dist/functions.js","webpack:///nextcloud/node_modules/webdav/dist/node/compat/patcher.js","webpack:///nextcloud/node_modules/webdav/dist/node/auth/digest.js","webpack:///nextcloud/node_modules/webdav/dist/node/tools/crypto.js","webpack:///nextcloud/node_modules/webdav/dist/node/tools/merge.js","webpack:///nextcloud/node_modules/webdav/dist/node/tools/headers.js","webpack:///nextcloud/node_modules/webdav/dist/node/compat/arrayBuffer.js","webpack:///nextcloud/node_modules/webdav/dist/node/request.js","webpack:///nextcloud/node_modules/webdav/dist/node/tools/body.js","webpack:///nextcloud/node_modules/webdav/dist/node/compat/buffer.js","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/services/Favorites.ts","webpack:///nextcloud/apps/files/src/views/favorites.ts","webpack:///nextcloud/apps/files/src/services/Recent.ts","webpack:///nextcloud/apps/files/src/views/TemplatePicker.vue","webpack:///nextcloud/apps/files/src/utils/davUtils.js","webpack:///nextcloud/apps/files/src/components/TemplatePreview.vue?vue&type=script&lang=js","webpack:///nextcloud/apps/files/src/components/TemplatePreview.vue","webpack://nextcloud/./apps/files/src/components/TemplatePreview.vue?af18","webpack://nextcloud/./apps/files/src/components/TemplatePreview.vue?81db","webpack://nextcloud/./apps/files/src/components/TemplatePreview.vue?c414","webpack:///nextcloud/apps/files/src/views/TemplatePicker.vue?vue&type=script&lang=ts","webpack:///nextcloud/apps/files/src/services/Templates.js","webpack://nextcloud/./apps/files/src/views/TemplatePicker.vue?0681","webpack://nextcloud/./apps/files/src/views/TemplatePicker.vue?afd8","webpack:///nextcloud/apps/files/src/init-templates.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/node_modules/builtin-status-codes/browser.js","webpack:///nextcloud/node_modules/cancelable-promise/umd/CancelablePromise.js","webpack:///nextcloud/node_modules/@nextcloud/dialogs/dist/style.css","webpack:///nextcloud/apps/files/src/components/TemplatePreview.vue?vue&type=style&index=0&id=0859a92c&prod&lang=scss&scoped=true","webpack:///nextcloud/apps/files/src/views/TemplatePicker.vue?vue&type=style&index=0&id=48121b39&prod&lang=scss&scoped=true","webpack:///nextcloud/node_modules/https-browserify/index.js","webpack:///nextcloud/node_modules/readable-stream/readable-browser.js","webpack:///nextcloud/node_modules/stream-http/index.js","webpack:///nextcloud/node_modules/stream-http/lib/capability.js","webpack:///nextcloud/node_modules/stream-http/lib/request.js","webpack:///nextcloud/node_modules/stream-http/lib/response.js","webpack:///nextcloud/node_modules/xtend/immutable.js","webpack:///nextcloud/node_modules/@nextcloud/files/dist/index.mjs","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};","/**\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 } from '@nextcloud/files';\nimport { translate as t } from '@nextcloud/l10n';\nimport axios from '@nextcloud/axios';\nimport TrashCanSvg from '@mdi/svg/svg/trash-can.svg?raw';\nimport CloseSvg from '@mdi/svg/svg/close.svg?raw';\nimport logger from '../logger.js';\nimport { getCurrentUser } from '@nextcloud/auth';\nconst isAllUnshare = (nodes) => {\n return !nodes.some(node => node.owner === getCurrentUser()?.uid);\n};\nconst isMixedUnshareAndDelete = (nodes) => {\n const hasUnshareItems = nodes.some(node => node.owner !== getCurrentUser()?.uid);\n const hasDeleteItems = nodes.some(node => node.owner === getCurrentUser()?.uid);\n return hasUnshareItems && hasDeleteItems;\n};\nexport const action = new FileAction({\n id: 'delete',\n displayName(nodes, view) {\n if (isMixedUnshareAndDelete(nodes)) {\n return t('files', 'Delete and unshare');\n }\n if (isAllUnshare(nodes)) {\n return t('files', 'Unshare');\n }\n return view.id === 'trashbin'\n ? t('files', 'Delete permanently')\n : t('files', 'Delete');\n },\n iconSvgInline: (nodes) => {\n if (isAllUnshare(nodes)) {\n return CloseSvg;\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) {\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 return Promise.all(nodes.map(node => this.exec(node, view, dir)));\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 downloadAttribute = JSON.parse(node.attributes['share-attributes']).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","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","/**\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 // For now the only restriction is that a shared file\n // cannot be copied if the download is disabled\n return canDownload(nodes);\n};\n","/**\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 suffix A function that takes an index an returns a suffix to add, defaults to '(index)'\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, suffix = (n) => `(${n})`) => {\n let newName = name;\n let i = 1;\n while (otherNames.includes(newName)) {\n const ext = extname(name);\n newName = `${basename(name, ext)} ${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 { 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 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 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), copySuffix);\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 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 }) : 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 }) : 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 reject(new Error(t('files', 'Cancelled move or copy operation')));\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 });\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 }, { 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","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 { getUniqueName } from '../utils/fileUtils.ts';\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 contentNames = content.map((node) => node.basename);\n const name = getUniqueName(t('files', 'New folder'), contentNames);\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 });\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 emit('files:node:rename', folder);\n },\n};\n","const inWebWorker = typeof WorkerGlobalScope !== \"undefined\" &&\n self instanceof WorkerGlobalScope;\nconst root = inWebWorker\n ? self\n : typeof window !== \"undefined\"\n ? window\n : globalThis;\nexport const fetch = root.fetch.bind(root);\nexport const Headers = root.Headers;\nexport const Request = root.Request;\nexport const Response = root.Response;\n","import { sequence } from \"./functions.js\";\nconst HOT_PATCHER_TYPE = \"@@HOTPATCHER\";\nconst NOOP = () => { };\nfunction createNewItem(method) {\n return {\n original: method,\n methods: [method],\n final: false\n };\n}\n/**\n * Hot patching manager class\n */\nexport class HotPatcher {\n constructor() {\n this._configuration = {\n registry: {},\n getEmptyAction: \"null\"\n };\n this.__type__ = HOT_PATCHER_TYPE;\n }\n /**\n * Configuration object reference\n * @readonly\n */\n get configuration() {\n return this._configuration;\n }\n /**\n * The action to take when a non-set method is requested\n * Possible values: null/throw\n */\n get getEmptyAction() {\n return this.configuration.getEmptyAction;\n }\n set getEmptyAction(newAction) {\n this.configuration.getEmptyAction = newAction;\n }\n /**\n * Control another hot-patcher instance\n * Force the remote instance to use patched methods from calling instance\n * @param target The target instance to control\n * @param allowTargetOverrides Allow the target to override patched methods on\n * the controller (default is false)\n * @returns Returns self\n * @throws {Error} Throws if the target is invalid\n */\n control(target, allowTargetOverrides = false) {\n if (!target || target.__type__ !== HOT_PATCHER_TYPE) {\n throw new Error(\"Failed taking control of target HotPatcher instance: Invalid type or object\");\n }\n Object.keys(target.configuration.registry).forEach(foreignKey => {\n if (this.configuration.registry.hasOwnProperty(foreignKey)) {\n if (allowTargetOverrides) {\n this.configuration.registry[foreignKey] = Object.assign({}, target.configuration.registry[foreignKey]);\n }\n }\n else {\n this.configuration.registry[foreignKey] = Object.assign({}, target.configuration.registry[foreignKey]);\n }\n });\n target._configuration = this.configuration;\n return this;\n }\n /**\n * Execute a patched method\n * @param key The method key\n * @param args Arguments to pass to the method (optional)\n * @see HotPatcher#get\n * @returns The output of the called method\n */\n execute(key, ...args) {\n const method = this.get(key) || NOOP;\n return method(...args);\n }\n /**\n * Get a method for a key\n * @param key The method key\n * @returns Returns the requested function or null if the function\n * does not exist and the host is configured to return null (and not throw)\n * @throws {Error} Throws if the configuration specifies to throw and the method\n * does not exist\n * @throws {Error} Throws if the `getEmptyAction` value is invalid\n */\n get(key) {\n const item = this.configuration.registry[key];\n if (!item) {\n switch (this.getEmptyAction) {\n case \"null\":\n return null;\n case \"throw\":\n throw new Error(`Failed handling method request: No method provided for override: ${key}`);\n default:\n throw new Error(`Failed handling request which resulted in an empty method: Invalid empty-action specified: ${this.getEmptyAction}`);\n }\n }\n return sequence(...item.methods);\n }\n /**\n * Check if a method has been patched\n * @param key The function key\n * @returns True if already patched\n */\n isPatched(key) {\n return !!this.configuration.registry[key];\n }\n /**\n * Patch a method name\n * @param key The method key to patch\n * @param method The function to set\n * @param opts Patch options\n * @returns Returns self\n */\n patch(key, method, opts = {}) {\n const { chain = false } = opts;\n if (this.configuration.registry[key] && this.configuration.registry[key].final) {\n throw new Error(`Failed patching '${key}': Method marked as being final`);\n }\n if (typeof method !== \"function\") {\n throw new Error(`Failed patching '${key}': Provided method is not a function`);\n }\n if (chain) {\n // Add new method to the chain\n if (!this.configuration.registry[key]) {\n // New key, create item\n this.configuration.registry[key] = createNewItem(method);\n }\n else {\n // Existing, push the method\n this.configuration.registry[key].methods.push(method);\n }\n }\n else {\n // Replace the original\n if (this.isPatched(key)) {\n const { original } = this.configuration.registry[key];\n this.configuration.registry[key] = Object.assign(createNewItem(method), {\n original\n });\n }\n else {\n this.configuration.registry[key] = createNewItem(method);\n }\n }\n return this;\n }\n /**\n * Patch a method inline, execute it and return the value\n * Used for patching contents of functions. This method will not apply a patched\n * function if it has already been patched, allowing for external overrides to\n * function. It also means that the function is cached so that it is not\n * instantiated every time the outer function is invoked.\n * @param key The function key to use\n * @param method The function to patch (once, only if not patched)\n * @param args Arguments to pass to the function\n * @returns The output of the patched function\n * @example\n * function mySpecialFunction(a, b) {\n * return hotPatcher.patchInline(\"func\", (a, b) => {\n * return a + b;\n * }, a, b);\n * }\n */\n patchInline(key, method, ...args) {\n if (!this.isPatched(key)) {\n this.patch(key, method);\n }\n return this.execute(key, ...args);\n }\n /**\n * Patch a method (or methods) in sequential-mode\n * See `patch()` with the option `chain: true`\n * @see patch\n * @param key The key to patch\n * @param methods The methods to patch\n * @returns Returns self\n */\n plugin(key, ...methods) {\n methods.forEach(method => {\n this.patch(key, method, { chain: true });\n });\n return this;\n }\n /**\n * Restore a patched method if it has been overridden\n * @param key The method key\n * @returns Returns self\n */\n restore(key) {\n if (!this.isPatched(key)) {\n throw new Error(`Failed restoring method: No method present for key: ${key}`);\n }\n else if (typeof this.configuration.registry[key].original !== \"function\") {\n throw new Error(`Failed restoring method: Original method not found or of invalid type for key: ${key}`);\n }\n this.configuration.registry[key].methods = [this.configuration.registry[key].original];\n return this;\n }\n /**\n * Set a method as being final\n * This sets a method as having been finally overridden. Attempts at overriding\n * again will fail with an error.\n * @param key The key to make final\n * @returns Returns self\n */\n setFinal(key) {\n if (!this.configuration.registry.hasOwnProperty(key)) {\n throw new Error(`Failed marking '${key}' as final: No method found for key`);\n }\n this.configuration.registry[key].final = true;\n return this;\n }\n}\n","export function sequence(...methods) {\n if (methods.length === 0) {\n throw new Error(\"Failed creating sequence: No functions provided\");\n }\n return function __executeSequence(...args) {\n let result = args;\n const _this = this;\n while (methods.length > 0) {\n const method = methods.shift();\n result = [method.apply(_this, result)];\n }\n return result[0];\n };\n}\n","import { HotPatcher } from \"hot-patcher\";\nlet __patcher = null;\nexport function getPatcher() {\n if (!__patcher) {\n __patcher = new HotPatcher();\n }\n return __patcher;\n}\n","import md5 from \"md5\";\nimport { ha1Compute } from \"../tools/crypto.js\";\nconst NONCE_CHARS = \"abcdef0123456789\";\nconst NONCE_SIZE = 32;\nexport function createDigestContext(username, password, ha1) {\n return { username, password, ha1, nc: 0, algorithm: \"md5\", hasDigestAuth: false };\n}\nexport function generateDigestAuthHeader(options, digest) {\n const url = options.url.replace(\"//\", \"\");\n const uri = url.indexOf(\"/\") == -1 ? \"/\" : url.slice(url.indexOf(\"/\"));\n const method = options.method ? options.method.toUpperCase() : \"GET\";\n const qop = /(^|,)\\s*auth\\s*($|,)/.test(digest.qop) ? \"auth\" : false;\n const ncString = `00000000${digest.nc}`.slice(-8);\n const ha1 = ha1Compute(digest.algorithm, digest.username, digest.realm, digest.password, digest.nonce, digest.cnonce, digest.ha1);\n const ha2 = md5(`${method}:${uri}`);\n const digestResponse = qop\n ? md5(`${ha1}:${digest.nonce}:${ncString}:${digest.cnonce}:${qop}:${ha2}`)\n : md5(`${ha1}:${digest.nonce}:${ha2}`);\n const authValues = {\n username: digest.username,\n realm: digest.realm,\n nonce: digest.nonce,\n uri,\n qop,\n response: digestResponse,\n nc: ncString,\n cnonce: digest.cnonce,\n algorithm: digest.algorithm,\n opaque: digest.opaque\n };\n const authHeader = [];\n for (const k in authValues) {\n if (authValues[k]) {\n if (k === \"qop\" || k === \"nc\" || k === \"algorithm\") {\n authHeader.push(`${k}=${authValues[k]}`);\n }\n else {\n authHeader.push(`${k}=\"${authValues[k]}\"`);\n }\n }\n }\n return `Digest ${authHeader.join(\", \")}`;\n}\nfunction makeNonce() {\n let uid = \"\";\n for (let i = 0; i < NONCE_SIZE; ++i) {\n uid = `${uid}${NONCE_CHARS[Math.floor(Math.random() * NONCE_CHARS.length)]}`;\n }\n return uid;\n}\nexport function parseDigestAuth(response, _digest) {\n const authHeader = (response.headers && response.headers.get(\"www-authenticate\")) || \"\";\n if (authHeader.split(/\\s/)[0].toLowerCase() !== \"digest\") {\n return false;\n }\n const re = /([a-z0-9_-]+)=(?:\"([^\"]+)\"|([a-z0-9_-]+))/gi;\n for (;;) {\n const match = re.exec(authHeader);\n if (!match) {\n break;\n }\n _digest[match[1]] = match[2] || match[3];\n }\n _digest.nc += 1;\n _digest.cnonce = makeNonce();\n return true;\n}\n","import md5 from \"md5\";\nexport function ha1Compute(algorithm, user, realm, pass, nonce, cnonce, ha1) {\n const ha1Hash = ha1 || md5(`${user}:${realm}:${pass}`);\n if (algorithm && algorithm.toLowerCase() === \"md5-sess\") {\n return md5(`${ha1Hash}:${nonce}:${cnonce}`);\n }\n return ha1Hash;\n}\n","export function cloneShallow(obj) {\n return isPlainObject(obj)\n ? Object.assign({}, obj)\n : Object.setPrototypeOf(Object.assign({}, obj), Object.getPrototypeOf(obj));\n}\nfunction isPlainObject(obj) {\n if (typeof obj !== \"object\" ||\n obj === null ||\n Object.prototype.toString.call(obj) != \"[object Object]\") {\n // Not an object\n return false;\n }\n if (Object.getPrototypeOf(obj) === null) {\n return true;\n }\n let proto = obj;\n // Find the prototype\n while (Object.getPrototypeOf(proto) !== null) {\n proto = Object.getPrototypeOf(proto);\n }\n return Object.getPrototypeOf(obj) === proto;\n}\nexport function merge(...args) {\n let output = null, items = [...args];\n while (items.length > 0) {\n const nextItem = items.shift();\n if (!output) {\n output = cloneShallow(nextItem);\n }\n else {\n output = mergeObjects(output, nextItem);\n }\n }\n return output;\n}\nfunction mergeObjects(obj1, obj2) {\n const output = cloneShallow(obj1);\n Object.keys(obj2).forEach(key => {\n if (!output.hasOwnProperty(key)) {\n output[key] = obj2[key];\n return;\n }\n if (Array.isArray(obj2[key])) {\n output[key] = Array.isArray(output[key])\n ? [...output[key], ...obj2[key]]\n : [...obj2[key]];\n }\n else if (typeof obj2[key] === \"object\" && !!obj2[key]) {\n output[key] =\n typeof output[key] === \"object\" && !!output[key]\n ? mergeObjects(output[key], obj2[key])\n : cloneShallow(obj2[key]);\n }\n else {\n output[key] = obj2[key];\n }\n });\n return output;\n}\n","export function convertResponseHeaders(headers) {\n const output = {};\n for (const key of headers.keys()) {\n output[key] = headers.get(key);\n }\n return output;\n}\nexport function mergeHeaders(...headerPayloads) {\n if (headerPayloads.length === 0)\n return {};\n const headerKeys = {};\n return headerPayloads.reduce((output, headers) => {\n Object.keys(headers).forEach(header => {\n const lowerHeader = header.toLowerCase();\n if (headerKeys.hasOwnProperty(lowerHeader)) {\n output[headerKeys[lowerHeader]] = headers[header];\n }\n else {\n headerKeys[lowerHeader] = header;\n output[header] = headers[header];\n }\n });\n return output;\n }, {});\n}\n","const hasArrayBuffer = typeof ArrayBuffer === \"function\";\nconst { toString: objToString } = Object.prototype;\n// Taken from: https://github.com/fengyuanchen/is-array-buffer/blob/master/src/index.js\nexport function isArrayBuffer(value) {\n return (hasArrayBuffer &&\n (value instanceof ArrayBuffer || objToString.call(value) === \"[object ArrayBuffer]\"));\n}\n","import { Agent as HTTPAgent } from \"http\";\nimport { Agent as HTTPSAgent } from \"https\";\nimport { fetch } from \"@buttercup/fetch\";\nimport { getPatcher } from \"./compat/patcher.js\";\nimport { isWeb } from \"./compat/env.js\";\nimport { generateDigestAuthHeader, parseDigestAuth } from \"./auth/digest.js\";\nimport { cloneShallow, merge } from \"./tools/merge.js\";\nimport { mergeHeaders } from \"./tools/headers.js\";\nimport { requestDataToFetchBody } from \"./tools/body.js\";\nfunction _request(requestOptions) {\n const patcher = getPatcher();\n return patcher.patchInline(\"request\", (options) => patcher.patchInline(\"fetch\", fetch, options.url, getFetchOptions(options)), requestOptions);\n}\nfunction getFetchOptions(requestOptions) {\n let headers = {};\n // Handle standard options\n const opts = {\n method: requestOptions.method\n };\n if (requestOptions.headers) {\n headers = mergeHeaders(headers, requestOptions.headers);\n }\n if (typeof requestOptions.data !== \"undefined\") {\n const [body, newHeaders] = requestDataToFetchBody(requestOptions.data);\n opts.body = body;\n headers = mergeHeaders(headers, newHeaders);\n }\n if (requestOptions.signal) {\n opts.signal = requestOptions.signal;\n }\n if (requestOptions.withCredentials) {\n opts.credentials = \"include\";\n }\n // Check for node-specific options\n if (!isWeb()) {\n if (requestOptions.httpAgent || requestOptions.httpsAgent) {\n opts.agent = (parsedURL) => {\n if (parsedURL.protocol === \"http:\") {\n return requestOptions.httpAgent || new HTTPAgent();\n }\n return requestOptions.httpsAgent || new HTTPSAgent();\n };\n }\n }\n // Attach headers\n opts.headers = headers;\n return opts;\n}\nexport function prepareRequestOptions(requestOptions, context, userOptions) {\n const finalOptions = cloneShallow(requestOptions);\n finalOptions.headers = mergeHeaders(context.headers, finalOptions.headers || {}, userOptions.headers || {});\n if (typeof userOptions.data !== \"undefined\") {\n finalOptions.data = userOptions.data;\n }\n if (userOptions.signal) {\n finalOptions.signal = userOptions.signal;\n }\n if (context.httpAgent) {\n finalOptions.httpAgent = context.httpAgent;\n }\n if (context.httpsAgent) {\n finalOptions.httpsAgent = context.httpsAgent;\n }\n if (context.digest) {\n finalOptions._digest = context.digest;\n }\n if (typeof context.withCredentials === \"boolean\") {\n finalOptions.withCredentials = context.withCredentials;\n }\n return finalOptions;\n}\nexport async function request(requestOptions) {\n // Client not configured for digest authentication\n if (!requestOptions._digest) {\n return _request(requestOptions);\n }\n // Remove client's digest authentication object from request options\n const _digest = requestOptions._digest;\n delete requestOptions._digest;\n // If client is already using digest authentication, include the digest authorization header\n if (_digest.hasDigestAuth) {\n requestOptions = merge(requestOptions, {\n headers: {\n Authorization: generateDigestAuthHeader(requestOptions, _digest)\n }\n });\n }\n // Perform digest request + check\n const response = await _request(requestOptions);\n if (response.status == 401) {\n _digest.hasDigestAuth = parseDigestAuth(response, _digest);\n if (_digest.hasDigestAuth) {\n requestOptions = merge(requestOptions, {\n headers: {\n Authorization: generateDigestAuthHeader(requestOptions, _digest)\n }\n });\n const response2 = await _request(requestOptions);\n if (response2.status == 401) {\n _digest.hasDigestAuth = false;\n }\n else {\n _digest.nc++;\n }\n return response2;\n }\n }\n else {\n _digest.nc++;\n }\n return response;\n}\n","import Stream from \"stream\";\nimport { isArrayBuffer } from \"../compat/arrayBuffer.js\";\nimport { isBuffer } from \"../compat/buffer.js\";\nimport { isWeb } from \"../compat/env.js\";\nexport function requestDataToFetchBody(data) {\n if (!isWeb() && data instanceof Stream.Readable) {\n // @ts-ignore\n return [data, {}];\n }\n if (typeof data === \"string\") {\n return [data, {}];\n }\n else if (isBuffer(data)) {\n return [data, {}];\n }\n else if (isArrayBuffer(data)) {\n return [data, {}];\n }\n else if (data && typeof data === \"object\") {\n return [\n JSON.stringify(data),\n {\n \"content-type\": \"application/json\"\n }\n ];\n }\n throw new Error(`Unable to convert request body: Unexpected body type: ${typeof data}`);\n}\n","export function isBuffer(value) {\n return (value != null &&\n value.constructor != null &&\n typeof value.constructor.isBuffer === \"function\" &&\n value.constructor.isBuffer(value));\n}\n","import { createClient, getPatcher } from 'webdav';\nimport { generateRemoteUrl } from '@nextcloud/router';\nimport { getCurrentUser, getRequestToken } from '@nextcloud/auth';\nimport { request } from 'webdav/dist/node/request.js';\nexport const rootPath = `/files/${getCurrentUser()?.uid}`;\nexport const defaultRootUrl = generateRemoteUrl('dav' + rootPath);\nexport const getClient = (rootUrl = defaultRootUrl) => {\n const client = createClient(rootUrl, {\n headers: {\n requesttoken: getRequestToken() || '',\n },\n });\n /**\n * Allow to override the METHOD to support dav REPORT\n *\n * @see https://github.com/perry-mitchell/webdav-client/blob/8d9694613c978ce7404e26a401c39a41f125f87f/source/request.ts\n */\n const patcher = getPatcher();\n // eslint-disable-next-line @typescript-eslint/ban-ts-comment\n // @ts-ignore\n // https://github.com/perry-mitchell/hot-patcher/issues/6\n patcher.patch('request', (options) => {\n if (options.headers?.method) {\n options.method = options.headers.method;\n delete options.headers.method;\n }\n return request(options);\n });\n return client;\n};\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ \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';\nimport { hashCode } from '../utils/hashUtils';\nimport logger from '../logger';\nconst client = getClient();\nexport const resultToNode = function (node) {\n const props = node.props;\n const permissions = davParsePermissions(props?.permissions);\n const owner = (props['owner-id'] || getCurrentUser()?.uid);\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,\n size: props?.size || 0,\n permissions,\n owner,\n root: rootPath,\n attributes: {\n ...node,\n ...props,\n hasPreview: props?.['has-preview'],\n failed: props?.fileid < 0,\n },\n };\n delete nodeData.attributes.props;\n return node.type === 'file'\n ? new File(nodeData)\n : new Folder(nodeData);\n};\nexport const getContents = (path = '/') => {\n const controller = new AbortController();\n const propfindPayload = davGetDefaultPropfind();\n return new CancelablePromise(async (resolve, reject, onCancel) => {\n onCancel(() => controller.abort());\n try {\n const contentsResponse = await client.getDirectoryContents(path, {\n details: true,\n data: propfindPayload,\n includeSelf: true,\n signal: controller.signal,\n });\n const root = contentsResponse.data[0];\n const contents = contentsResponse.data.slice(1);\n if (root.filename !== path) {\n throw new Error('Root node does not match requested path');\n }\n resolve({\n folder: resultToNode(root),\n contents: contents.map(result => {\n try {\n return resultToNode(result);\n }\n catch (error) {\n logger.error(`Invalid node detected '${result.basename}'`, { error });\n return null;\n }\n }).filter(Boolean),\n });\n }\n catch (error) {\n reject(error);\n }\n });\n};\n","import { Folder, getDavNameSpaces, getDavProperties, davGetDefaultPropfind } from '@nextcloud/files';\nimport { getClient } from './WebdavClient';\nimport { resultToNode } from './Files';\nconst client = getClient();\nconst reportPayload = `\n\n\t\n\t\t${getDavProperties()}\n\t\n\t\n\t\t1\n\t\n`;\nexport const getContents = async (path = '/') => {\n const propfindPayload = davGetDefaultPropfind();\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","import { getCurrentUser } from '@nextcloud/auth';\nimport { Folder, Permission, davGetRecentSearch, davGetClient, davResultToNode, davRootPath, davRemoteURL } from '@nextcloud/files';\nconst client = davGetClient();\nconst lastTwoWeeksTimestamp = Math.round((Date.now() / 1000) - (60 * 60 * 24 * 14));\nexport const getContents = async (path = '/') => {\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)),\n };\n};\n","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return (_vm.opened)?_c('NcModal',{staticClass:\"templates-picker\",attrs:{\"clear-view-delay\":-1,\"size\":\"large\"},on:{\"close\":_vm.close}},[_c('form',{staticClass:\"templates-picker__form\",style:(_vm.style),on:{\"submit\":function($event){$event.preventDefault();$event.stopPropagation();return _vm.onSubmit.apply(null, arguments)}}},[_c('h2',[_vm._v(_vm._s(_vm.t('files', 'Pick a template for {name}', { name: _vm.nameWithoutExt })))]),_vm._v(\" \"),_c('ul',{staticClass:\"templates-picker__list\"},[_c('TemplatePreview',_vm._b({attrs:{\"checked\":_vm.checked === _vm.emptyTemplate.fileid},on:{\"check\":_vm.onCheck}},'TemplatePreview',_vm.emptyTemplate,false)),_vm._v(\" \"),_vm._l((_vm.provider.templates),function(template){return _c('TemplatePreview',_vm._b({key:template.fileid,attrs:{\"checked\":_vm.checked === template.fileid,\"ratio\":_vm.provider.ratio},on:{\"check\":_vm.onCheck}},'TemplatePreview',template,false))})],2),_vm._v(\" \"),_c('div',{staticClass:\"templates-picker__buttons\"},[_c('input',{staticClass:\"primary\",attrs:{\"type\":\"submit\",\"aria-label\":_vm.t('files', 'Create a new file with the selected template')},domProps:{\"value\":_vm.t('files', 'Create')}})])]),_vm._v(\" \"),(_vm.loading)?_c('NcEmptyContent',{staticClass:\"templates-picker__loading\",attrs:{\"icon\":\"icon-loading\"}},[_vm._v(\"\\n\\t\\t\"+_vm._s(_vm.t('files', 'Creating file'))+\"\\n\\t\")]):_vm._e()],1):_vm._e()\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","/**\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\nimport { generateRemoteUrl } from '@nextcloud/router'\nimport { getCurrentUser } from '@nextcloud/auth'\n\nexport const getRootPath = function() {\n\tif (getCurrentUser()) {\n\t\treturn generateRemoteUrl(`dav/files/${getCurrentUser().uid}`)\n\t} else {\n\t\treturn generateRemoteUrl('webdav').replace('/remote.php', '/public.php')\n\t}\n}\n\nexport const isPublic = function() {\n\treturn !getCurrentUser()\n}\n\nexport const getToken = function() {\n\treturn document.getElementById('sharingToken') && document.getElementById('sharingToken').value\n}\n","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./TemplatePreview.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!./TemplatePreview.vue?vue&type=script&lang=js\"","\n\n\n\n\n\n\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!./TemplatePreview.vue?vue&type=style&index=0&id=0859a92c&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!./TemplatePreview.vue?vue&type=style&index=0&id=0859a92c&prod&lang=scss&scoped=true\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./TemplatePreview.vue?vue&type=template&id=0859a92c&scoped=true\"\nimport script from \"./TemplatePreview.vue?vue&type=script&lang=js\"\nexport * from \"./TemplatePreview.vue?vue&type=script&lang=js\"\nimport style0 from \"./TemplatePreview.vue?vue&type=style&index=0&id=0859a92c&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 \"0859a92c\",\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('li',{staticClass:\"template-picker__item\"},[_c('input',{staticClass:\"radio\",attrs:{\"id\":_vm.id,\"type\":\"radio\",\"name\":\"template-picker\"},domProps:{\"checked\":_vm.checked},on:{\"change\":_vm.onCheck}}),_vm._v(\" \"),_c('label',{staticClass:\"template-picker__label\",attrs:{\"for\":_vm.id}},[_c('div',{staticClass:\"template-picker__preview\",class:_vm.failedPreview ? 'template-picker__preview--failed' : ''},[_c('img',{staticClass:\"template-picker__image\",attrs:{\"src\":_vm.realPreviewUrl,\"alt\":\"\",\"draggable\":\"false\"},on:{\"error\":_vm.onFailure}})]),_vm._v(\" \"),_c('span',{staticClass:\"template-picker__title\"},[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_vm.nameWithoutExt)+\"\\n\\t\\t\")])])])\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!./TemplatePicker.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!./TemplatePicker.vue?vue&type=script&lang=ts\"","/**\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 */\n\nimport { generateOcsUrl } from '@nextcloud/router'\nimport axios from '@nextcloud/axios'\n\nexport const getTemplates = async function() {\n\tconst response = await axios.get(generateOcsUrl('apps/files/api/v1/templates'))\n\treturn response.data.ocs.data\n}\n\n/**\n * Create a new file from a specified template\n *\n * @param {string} filePath The new file destination path\n * @param {string} templatePath The template source path\n * @param {string} templateType The template type e.g 'user'\n */\nexport const createFromTemplate = async function(filePath, templatePath, templateType) {\n\tconst response = await axios.post(generateOcsUrl('apps/files/api/v1/templates/create'), {\n\t\tfilePath,\n\t\ttemplatePath,\n\t\ttemplateType,\n\t})\n\treturn response.data.ocs.data\n}\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!./TemplatePicker.vue?vue&type=style&index=0&id=48121b39&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!./TemplatePicker.vue?vue&type=style&index=0&id=48121b39&prod&lang=scss&scoped=true\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./TemplatePicker.vue?vue&type=template&id=48121b39&scoped=true\"\nimport script from \"./TemplatePicker.vue?vue&type=script&lang=ts\"\nexport * from \"./TemplatePicker.vue?vue&type=script&lang=ts\"\nimport style0 from \"./TemplatePicker.vue?vue&type=style&index=0&id=48121b39&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 \"48121b39\",\n null\n \n)\n\nexport default component.exports","import { Folder, Node, Permission, addNewFileMenuEntry, removeNewFileMenuEntry } from '@nextcloud/files';\nimport { generateOcsUrl } from '@nextcloud/router';\nimport { getLoggerBuilder } from '@nextcloud/logger';\nimport { join } from 'path';\nimport { loadState } from '@nextcloud/initial-state';\nimport { showError } from '@nextcloud/dialogs';\nimport { translate as t, translatePlural as n } from '@nextcloud/l10n';\nimport axios from '@nextcloud/axios';\nimport Vue from 'vue';\nimport PlusSvg from '@mdi/svg/svg/plus.svg?raw';\nimport TemplatePickerView from './views/TemplatePicker.vue';\nimport { getUniqueName } from './utils/fileUtils.ts';\nimport { getCurrentUser } from '@nextcloud/auth';\n// Set up logger\nconst logger = getLoggerBuilder()\n .setApp('files')\n .detectUser()\n .build();\n// Add translates functions\nVue.mixin({\n methods: {\n t,\n n,\n },\n});\n// Create document root\nconst TemplatePickerRoot = document.createElement('div');\nTemplatePickerRoot.id = 'template-picker';\ndocument.body.appendChild(TemplatePickerRoot);\n// Retrieve and init templates\nlet templates = loadState('files', 'templates', []);\nlet templatesPath = loadState('files', 'templates_path', false);\nlogger.debug('Templates providers', { templates });\nlogger.debug('Templates folder', { templatesPath });\n// Init vue app\nconst View = Vue.extend(TemplatePickerView);\nconst TemplatePicker = new View({\n name: 'TemplatePicker',\n propsData: {\n logger,\n },\n});\nTemplatePicker.$mount('#template-picker');\nif (!templatesPath) {\n logger.debug('Templates folder not initialized');\n addNewFileMenuEntry({\n id: 'template-picker',\n displayName: t('files', 'Create new templates folder'),\n iconSvgInline: PlusSvg,\n order: 10,\n enabled(context) {\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 handler(context, content) {\n // Check for conflicts\n const contentNames = content.map((node) => node.basename);\n const name = getUniqueName(t('files', 'Templates'), contentNames);\n // Create the template folder\n initTemplatesFolder(context, name);\n // Remove the menu entry\n removeNewFileMenuEntry('template-picker');\n },\n });\n}\n// Init template files menu\ntemplates.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 handler(context, content) {\n // Check for conflicts\n const contentNames = content.map((node) => node.basename);\n const name = getUniqueName(provider.label + provider.extension, contentNames);\n // Create the file\n TemplatePicker.open(name, provider);\n },\n });\n});\n// Init template folder\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 response = 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 templates = response.data.ocs.data.templates;\n templatesPath = response.data.ocs.data.template_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};\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';\nimport registerFavoritesView from './views/favorites';\nimport registerRecentView from './views/recent';\nimport registerFilesView from './views/files';\nimport registerPreviewServiceWorker from './services/ServiceWorker.js';\nimport './init-templates';\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);\n// Register files views\nregisterFavoritesView();\nregisterFilesView();\nregisterRecentView();\n// Register preview service worker\nregisterPreviewServiceWorker();\nregisterDavProperty('nc:hidden', { 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 { translate as t } from '@nextcloud/l10n';\nimport HistorySvg from '@mdi/svg/svg/history.svg?raw';\nimport { getContents } from '../services/Recent';\nimport { View, getNavigation } from '@nextcloud/files';\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","module.exports = {\n \"100\": \"Continue\",\n \"101\": \"Switching Protocols\",\n \"102\": \"Processing\",\n \"200\": \"OK\",\n \"201\": \"Created\",\n \"202\": \"Accepted\",\n \"203\": \"Non-Authoritative Information\",\n \"204\": \"No Content\",\n \"205\": \"Reset Content\",\n \"206\": \"Partial Content\",\n \"207\": \"Multi-Status\",\n \"208\": \"Already Reported\",\n \"226\": \"IM Used\",\n \"300\": \"Multiple Choices\",\n \"301\": \"Moved Permanently\",\n \"302\": \"Found\",\n \"303\": \"See Other\",\n \"304\": \"Not Modified\",\n \"305\": \"Use Proxy\",\n \"307\": \"Temporary Redirect\",\n \"308\": \"Permanent Redirect\",\n \"400\": \"Bad Request\",\n \"401\": \"Unauthorized\",\n \"402\": \"Payment Required\",\n \"403\": \"Forbidden\",\n \"404\": \"Not Found\",\n \"405\": \"Method Not Allowed\",\n \"406\": \"Not Acceptable\",\n \"407\": \"Proxy Authentication Required\",\n \"408\": \"Request Timeout\",\n \"409\": \"Conflict\",\n \"410\": \"Gone\",\n \"411\": \"Length Required\",\n \"412\": \"Precondition Failed\",\n \"413\": \"Payload Too Large\",\n \"414\": \"URI Too Long\",\n \"415\": \"Unsupported Media Type\",\n \"416\": \"Range Not Satisfiable\",\n \"417\": \"Expectation Failed\",\n \"418\": \"I'm a teapot\",\n \"421\": \"Misdirected Request\",\n \"422\": \"Unprocessable Entity\",\n \"423\": \"Locked\",\n \"424\": \"Failed Dependency\",\n \"425\": \"Unordered Collection\",\n \"426\": \"Upgrade Required\",\n \"428\": \"Precondition Required\",\n \"429\": \"Too Many Requests\",\n \"431\": \"Request Header Fields Too Large\",\n \"451\": \"Unavailable For Legal Reasons\",\n \"500\": \"Internal Server Error\",\n \"501\": \"Not Implemented\",\n \"502\": \"Bad Gateway\",\n \"503\": \"Service Unavailable\",\n \"504\": \"Gateway Timeout\",\n \"505\": \"HTTP Version Not Supported\",\n \"506\": \"Variant Also Negotiates\",\n \"507\": \"Insufficient Storage\",\n \"508\": \"Loop Detected\",\n \"509\": \"Bandwidth Limit Exceeded\",\n \"510\": \"Not Extended\",\n \"511\": \"Network Authentication Required\"\n}\n","function _typeof(obj) { \"@babel/helpers - typeof\"; return _typeof = \"function\" == typeof Symbol && \"symbol\" == typeof Symbol.iterator ? function (obj) { return typeof obj; } : function (obj) { return obj && \"function\" == typeof Symbol && obj.constructor === Symbol && obj !== Symbol.prototype ? \"symbol\" : typeof obj; }, _typeof(obj); }\n\n(function (global, factory) {\n if (typeof define === \"function\" && define.amd) {\n define([\"exports\"], factory);\n } else if (typeof exports !== \"undefined\") {\n factory(exports);\n } else {\n var mod = {\n exports: {}\n };\n factory(mod.exports);\n global.CancelablePromise = mod.exports;\n }\n})(typeof globalThis !== \"undefined\" ? globalThis : typeof self !== \"undefined\" ? self : this, function (_exports) {\n \"use strict\";\n\n Object.defineProperty(_exports, \"__esModule\", {\n value: true\n });\n _exports.CancelablePromise = void 0;\n _exports.cancelable = cancelable;\n _exports.default = void 0;\n _exports.isCancelablePromise = isCancelablePromise;\n\n function _inherits(subClass, superClass) { if (typeof superClass !== \"function\" && superClass !== null) { throw new TypeError(\"Super expression must either be null or a function\"); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }); Object.defineProperty(subClass, \"prototype\", { writable: false }); if (superClass) _setPrototypeOf(subClass, superClass); }\n\n function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf ? Object.setPrototypeOf.bind() : function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); }\n\n function _createSuper(Derived) { var hasNativeReflectConstruct = _isNativeReflectConstruct(); return function _createSuperInternal() { var Super = _getPrototypeOf(Derived), result; if (hasNativeReflectConstruct) { var NewTarget = _getPrototypeOf(this).constructor; result = Reflect.construct(Super, arguments, NewTarget); } else { result = Super.apply(this, arguments); } return _possibleConstructorReturn(this, result); }; }\n\n function _possibleConstructorReturn(self, call) { if (call && (_typeof(call) === \"object\" || typeof call === \"function\")) { return call; } else if (call !== void 0) { throw new TypeError(\"Derived constructors may only return object or undefined\"); } return _assertThisInitialized(self); }\n\n function _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError(\"this hasn't been initialised - super() hasn't been called\"); } return self; }\n\n function _isNativeReflectConstruct() { if (typeof Reflect === \"undefined\" || !Reflect.construct) return false; if (Reflect.construct.sham) return false; if (typeof Proxy === \"function\") return true; try { Boolean.prototype.valueOf.call(Reflect.construct(Boolean, [], function () {})); return true; } catch (e) { return false; } }\n\n function _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf.bind() : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); }\n\n function _createForOfIteratorHelper(o, allowArrayLike) { var it = typeof Symbol !== \"undefined\" && o[Symbol.iterator] || o[\"@@iterator\"]; if (!it) { if (Array.isArray(o) || (it = _unsupportedIterableToArray(o)) || allowArrayLike && o && typeof o.length === \"number\") { if (it) o = it; var i = 0; var F = function F() {}; return { s: F, n: function n() { if (i >= o.length) return { done: true }; return { done: false, value: o[i++] }; }, e: function e(_e) { throw _e; }, f: F }; } throw new TypeError(\"Invalid attempt to iterate non-iterable instance.\\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.\"); } var normalCompletion = true, didErr = false, err; return { s: function s() { it = it.call(o); }, n: function n() { var step = it.next(); normalCompletion = step.done; return step; }, e: function e(_e2) { didErr = true; err = _e2; }, f: function f() { try { if (!normalCompletion && it.return != null) it.return(); } finally { if (didErr) throw err; } } }; }\n\n function _unsupportedIterableToArray(o, minLen) { if (!o) return; if (typeof o === \"string\") return _arrayLikeToArray(o, minLen); var n = Object.prototype.toString.call(o).slice(8, -1); if (n === \"Object\" && o.constructor) n = o.constructor.name; if (n === \"Map\" || n === \"Set\") return Array.from(o); if (n === \"Arguments\" || /^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)) return _arrayLikeToArray(o, minLen); }\n\n function _arrayLikeToArray(arr, len) { if (len == null || len > arr.length) len = arr.length; for (var i = 0, arr2 = new Array(len); i < len; i++) { arr2[i] = arr[i]; } return arr2; }\n\n function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\n function _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if (\"value\" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } }\n\n function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); Object.defineProperty(Constructor, \"prototype\", { writable: false }); return Constructor; }\n\n function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }\n\n function _classPrivateFieldInitSpec(obj, privateMap, value) { _checkPrivateRedeclaration(obj, privateMap); privateMap.set(obj, value); }\n\n function _checkPrivateRedeclaration(obj, privateCollection) { if (privateCollection.has(obj)) { throw new TypeError(\"Cannot initialize the same private elements twice on an object\"); } }\n\n function _classPrivateFieldGet(receiver, privateMap) { var descriptor = _classExtractFieldDescriptor(receiver, privateMap, \"get\"); return _classApplyDescriptorGet(receiver, descriptor); }\n\n function _classApplyDescriptorGet(receiver, descriptor) { if (descriptor.get) { return descriptor.get.call(receiver); } return descriptor.value; }\n\n function _classPrivateFieldSet(receiver, privateMap, value) { var descriptor = _classExtractFieldDescriptor(receiver, privateMap, \"set\"); _classApplyDescriptorSet(receiver, descriptor, value); return value; }\n\n function _classExtractFieldDescriptor(receiver, privateMap, action) { if (!privateMap.has(receiver)) { throw new TypeError(\"attempted to \" + action + \" private field on non-instance\"); } return privateMap.get(receiver); }\n\n function _classApplyDescriptorSet(receiver, descriptor, value) { if (descriptor.set) { descriptor.set.call(receiver, value); } else { if (!descriptor.writable) { throw new TypeError(\"attempted to set read only private field\"); } descriptor.value = value; } }\n\n var toStringTag = typeof Symbol !== 'undefined' ? Symbol.toStringTag : '@@toStringTag';\n\n var _internals = /*#__PURE__*/new WeakMap();\n\n var _promise = /*#__PURE__*/new WeakMap();\n\n var CancelablePromiseInternal = /*#__PURE__*/function () {\n function CancelablePromiseInternal(_ref) {\n var _ref$executor = _ref.executor,\n executor = _ref$executor === void 0 ? function () {} : _ref$executor,\n _ref$internals = _ref.internals,\n internals = _ref$internals === void 0 ? defaultInternals() : _ref$internals,\n _ref$promise = _ref.promise,\n promise = _ref$promise === void 0 ? new Promise(function (resolve, reject) {\n return executor(resolve, reject, function (onCancel) {\n internals.onCancelList.push(onCancel);\n });\n }) : _ref$promise;\n\n _classCallCheck(this, CancelablePromiseInternal);\n\n _classPrivateFieldInitSpec(this, _internals, {\n writable: true,\n value: void 0\n });\n\n _classPrivateFieldInitSpec(this, _promise, {\n writable: true,\n value: void 0\n });\n\n _defineProperty(this, toStringTag, 'CancelablePromise');\n\n this.cancel = this.cancel.bind(this);\n\n _classPrivateFieldSet(this, _internals, internals);\n\n _classPrivateFieldSet(this, _promise, promise || new Promise(function (resolve, reject) {\n return executor(resolve, reject, function (onCancel) {\n internals.onCancelList.push(onCancel);\n });\n }));\n }\n\n _createClass(CancelablePromiseInternal, [{\n key: \"then\",\n value: function then(onfulfilled, onrejected) {\n return makeCancelable(_classPrivateFieldGet(this, _promise).then(createCallback(onfulfilled, _classPrivateFieldGet(this, _internals)), createCallback(onrejected, _classPrivateFieldGet(this, _internals))), _classPrivateFieldGet(this, _internals));\n }\n }, {\n key: \"catch\",\n value: function _catch(onrejected) {\n return makeCancelable(_classPrivateFieldGet(this, _promise).catch(createCallback(onrejected, _classPrivateFieldGet(this, _internals))), _classPrivateFieldGet(this, _internals));\n }\n }, {\n key: \"finally\",\n value: function _finally(onfinally, runWhenCanceled) {\n var _this = this;\n\n if (runWhenCanceled) {\n _classPrivateFieldGet(this, _internals).onCancelList.push(onfinally);\n }\n\n return makeCancelable(_classPrivateFieldGet(this, _promise).finally(createCallback(function () {\n if (onfinally) {\n if (runWhenCanceled) {\n _classPrivateFieldGet(_this, _internals).onCancelList = _classPrivateFieldGet(_this, _internals).onCancelList.filter(function (callback) {\n return callback !== onfinally;\n });\n }\n\n return onfinally();\n }\n }, _classPrivateFieldGet(this, _internals))), _classPrivateFieldGet(this, _internals));\n }\n }, {\n key: \"cancel\",\n value: function cancel() {\n _classPrivateFieldGet(this, _internals).isCanceled = true;\n\n var callbacks = _classPrivateFieldGet(this, _internals).onCancelList;\n\n _classPrivateFieldGet(this, _internals).onCancelList = [];\n\n var _iterator = _createForOfIteratorHelper(callbacks),\n _step;\n\n try {\n for (_iterator.s(); !(_step = _iterator.n()).done;) {\n var callback = _step.value;\n\n if (typeof callback === 'function') {\n try {\n callback();\n } catch (err) {\n console.error(err);\n }\n }\n }\n } catch (err) {\n _iterator.e(err);\n } finally {\n _iterator.f();\n }\n }\n }, {\n key: \"isCanceled\",\n value: function isCanceled() {\n return _classPrivateFieldGet(this, _internals).isCanceled === true;\n }\n }]);\n\n return CancelablePromiseInternal;\n }();\n\n var CancelablePromise = /*#__PURE__*/function (_CancelablePromiseInt) {\n _inherits(CancelablePromise, _CancelablePromiseInt);\n\n var _super = _createSuper(CancelablePromise);\n\n function CancelablePromise(executor) {\n _classCallCheck(this, CancelablePromise);\n\n return _super.call(this, {\n executor: executor\n });\n }\n\n return _createClass(CancelablePromise);\n }(CancelablePromiseInternal);\n\n _exports.CancelablePromise = CancelablePromise;\n\n _defineProperty(CancelablePromise, \"all\", function all(iterable) {\n return makeAllCancelable(iterable, Promise.all(iterable));\n });\n\n _defineProperty(CancelablePromise, \"allSettled\", function allSettled(iterable) {\n return makeAllCancelable(iterable, Promise.allSettled(iterable));\n });\n\n _defineProperty(CancelablePromise, \"any\", function any(iterable) {\n return makeAllCancelable(iterable, Promise.any(iterable));\n });\n\n _defineProperty(CancelablePromise, \"race\", function race(iterable) {\n return makeAllCancelable(iterable, Promise.race(iterable));\n });\n\n _defineProperty(CancelablePromise, \"resolve\", function resolve(value) {\n return cancelable(Promise.resolve(value));\n });\n\n _defineProperty(CancelablePromise, \"reject\", function reject(reason) {\n return cancelable(Promise.reject(reason));\n });\n\n _defineProperty(CancelablePromise, \"isCancelable\", isCancelablePromise);\n\n var _default = CancelablePromise;\n _exports.default = _default;\n\n function cancelable(promise) {\n return makeCancelable(promise, defaultInternals());\n }\n\n function isCancelablePromise(promise) {\n return promise instanceof CancelablePromise || promise instanceof CancelablePromiseInternal;\n }\n\n function createCallback(onResult, internals) {\n if (onResult) {\n return function (arg) {\n if (!internals.isCanceled) {\n var result = onResult(arg);\n\n if (isCancelablePromise(result)) {\n internals.onCancelList.push(result.cancel);\n }\n\n return result;\n }\n\n return arg;\n };\n }\n }\n\n function makeCancelable(promise, internals) {\n return new CancelablePromiseInternal({\n internals: internals,\n promise: promise\n });\n }\n\n function makeAllCancelable(iterable, promise) {\n var internals = defaultInternals();\n internals.onCancelList.push(function () {\n var _iterator2 = _createForOfIteratorHelper(iterable),\n _step2;\n\n try {\n for (_iterator2.s(); !(_step2 = _iterator2.n()).done;) {\n var resolvable = _step2.value;\n\n if (isCancelablePromise(resolvable)) {\n resolvable.cancel();\n }\n }\n } catch (err) {\n _iterator2.e(err);\n } finally {\n _iterator2.f();\n }\n });\n return new CancelablePromiseInternal({\n internals: internals,\n promise: promise\n });\n }\n\n function defaultInternals() {\n return {\n isCanceled: false,\n onCancelList: []\n };\n }\n});\n//# sourceMappingURL=CancelablePromise.js.map","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../css-loader/dist/runtime/api.js\";\nimport ___CSS_LOADER_GET_URL_IMPORT___ from \"../../../css-loader/dist/runtime/getUrl.js\";\nvar ___CSS_LOADER_URL_IMPORT_0___ = new URL(\"data:image/svg+xml,%3csvg%20xmlns=%27http://www.w3.org/2000/svg%27%20height=%2716%27%20width=%2716%27%3e%3cpath%20d=%27M14%2012.3L12.3%2014%208%209.7%203.7%2014%202%2012.3%206.3%208%202%203.7%203.7%202%208%206.3%2012.3%202%2014%203.7%209.7%208z%27/%3e%3c/svg%3e\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_1___ = new URL(\"data:image/svg+xml,%3csvg%20xmlns=%27http://www.w3.org/2000/svg%27%20height=%2716%27%20width=%2716%27%3e%3cpath%20d=%27M14%2012.3L12.3%2014%208%209.7%203.7%2014%202%2012.3%206.3%208%202%203.7%203.7%202%208%206.3%2012.3%202%2014%203.7%209.7%208z%27%20style=%27fill-opacity:1;fill:%23ffffff%27/%3e%3c/svg%3e\", import.meta.url);\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\nvar ___CSS_LOADER_URL_REPLACEMENT_0___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_0___);\nvar ___CSS_LOADER_URL_REPLACEMENT_1___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_1___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `@charset \"UTF-8\";\n/**\n * @copyright Copyright (c) 2019 Julius Härtl \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._file-picker__file-icon_1vgv4_5 {\n width: 32px;\n height: 32px;\n min-width: 32px;\n min-height: 32px;\n background-repeat: no-repeat;\n background-size: contain;\n display: flex;\n justify-content: center;\n}\ntr.file-picker__row[data-v-6aded0d9] {\n height: var(--row-height, 50px);\n}\ntr.file-picker__row td[data-v-6aded0d9] {\n cursor: pointer;\n overflow: hidden;\n text-overflow: ellipsis;\n border-bottom: none;\n}\ntr.file-picker__row td.row-checkbox[data-v-6aded0d9] {\n padding: 0 2px;\n}\ntr.file-picker__row td[data-v-6aded0d9]:not(.row-checkbox) {\n padding-inline: 14px 0;\n}\ntr.file-picker__row td.row-size[data-v-6aded0d9] {\n text-align: end;\n padding-inline: 0 14px;\n}\ntr.file-picker__row td.row-name[data-v-6aded0d9] {\n padding-inline: 2px 0;\n}\n@keyframes gradient-6aded0d9 {\n 0% {\n background-position: 0% 50%;\n }\n 50% {\n background-position: 100% 50%;\n }\n to {\n background-position: 0% 50%;\n }\n}\n.loading-row .row-checkbox[data-v-6aded0d9] {\n text-align: center !important;\n}\n.loading-row span[data-v-6aded0d9] {\n display: inline-block;\n height: 24px;\n background: linear-gradient(to right, var(--color-background-darker), var(--color-text-maxcontrast), var(--color-background-darker));\n background-size: 600px 100%;\n border-radius: var(--border-radius);\n animation: gradient-6aded0d9 12s ease infinite;\n}\n.loading-row .row-wrapper[data-v-6aded0d9] {\n display: inline-flex;\n align-items: center;\n}\n.loading-row .row-checkbox span[data-v-6aded0d9] {\n width: 24px;\n}\n.loading-row .row-name span[data-v-6aded0d9]:last-of-type {\n margin-inline-start: 6px;\n width: 130px;\n}\n.loading-row .row-size span[data-v-6aded0d9] {\n width: 80px;\n}\n.loading-row .row-modified span[data-v-6aded0d9] {\n width: 90px;\n}\ntr.file-picker__row[data-v-48df4f27] {\n height: var(--row-height, 50px);\n}\ntr.file-picker__row td[data-v-48df4f27] {\n cursor: pointer;\n overflow: hidden;\n text-overflow: ellipsis;\n border-bottom: none;\n}\ntr.file-picker__row td.row-checkbox[data-v-48df4f27] {\n padding: 0 2px;\n}\ntr.file-picker__row td[data-v-48df4f27]:not(.row-checkbox) {\n padding-inline: 14px 0;\n}\ntr.file-picker__row td.row-size[data-v-48df4f27] {\n text-align: end;\n padding-inline: 0 14px;\n}\ntr.file-picker__row td.row-name[data-v-48df4f27] {\n padding-inline: 2px 0;\n}\n.file-picker__row--selected[data-v-48df4f27] {\n background-color: var(--color-background-dark);\n}\n.file-picker__row[data-v-48df4f27]:hover {\n background-color: var(--color-background-hover);\n}\n.file-picker__name-container[data-v-48df4f27] {\n display: flex;\n justify-content: start;\n align-items: center;\n height: 100%;\n}\n.file-picker__file-name[data-v-48df4f27] {\n padding-inline-start: 6px;\n min-width: 0;\n overflow: hidden;\n text-overflow: ellipsis;\n}\n.file-picker__file-extension[data-v-48df4f27] {\n color: var(--color-text-maxcontrast);\n min-width: fit-content;\n}\n.file-picker__header-preview[data-v-d3c94818] {\n width: 22px;\n height: 32px;\n flex: 0 0 auto;\n}\n.file-picker__files[data-v-d3c94818] {\n margin: 2px;\n margin-inline-start: 12px;\n overflow: scroll auto;\n}\n.file-picker__files table[data-v-d3c94818] {\n width: 100%;\n max-height: 100%;\n table-layout: fixed;\n}\n.file-picker__files th[data-v-d3c94818] {\n position: sticky;\n z-index: 1;\n top: 0;\n background-color: var(--color-main-background);\n padding: 2px;\n}\n.file-picker__files th .header-wrapper[data-v-d3c94818] {\n display: flex;\n}\n.file-picker__files th.row-checkbox[data-v-d3c94818] {\n width: 44px;\n}\n.file-picker__files th.row-name[data-v-d3c94818] {\n width: 230px;\n}\n.file-picker__files th.row-size[data-v-d3c94818] {\n width: 100px;\n}\n.file-picker__files th.row-modified[data-v-d3c94818] {\n width: 120px;\n}\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue__wrapper {\n justify-content: start;\n flex-direction: row-reverse;\n}\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue {\n padding-inline: 16px 4px;\n}\n.file-picker__files th.row-size[data-v-d3c94818] .button-vue__wrapper {\n justify-content: end;\n}\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper {\n color: var(--color-text-maxcontrast);\n}\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper .button-vue__text {\n font-weight: 400;\n}\n.file-picker__breadcrumbs[data-v-3bc9efa5] {\n flex-grow: 0 !important;\n}\n.file-picker__side[data-v-e96bec41] {\n display: flex;\n flex-direction: column;\n align-items: stretch;\n gap: .5rem;\n min-width: 200px;\n padding: 2px;\n overflow: auto;\n}\n.file-picker__side[data-v-e96bec41] .button-vue__wrapper {\n justify-content: start;\n}\n.file-picker__filter-input[data-v-e96bec41] {\n margin-block: 7px;\n max-width: 260px;\n}\n@media (max-width: 736px) {\n .file-picker__side[data-v-e96bec41] {\n flex-direction: row;\n min-width: unset;\n }\n}\n@media (max-width: 512px) {\n .file-picker__side[data-v-e96bec41] {\n flex-direction: row;\n min-width: unset;\n }\n .file-picker__filter-input[data-v-e96bec41] {\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-c6479356] {\n height: 50px;\n display: flex;\n justify-content: start;\n align-items: center;\n}\n.file-picker__view h3[data-v-c6479356] {\n font-weight: 700;\n height: fit-content;\n margin: 0;\n}\n.file-picker__main[data-v-c6479356] {\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-c6479356] {\n box-sizing: border-box;\n}\n[data-v-c6479356] .file-picker {\n height: min(80vh, 800px) !important;\n}\n@media (max-width: 512px) {\n [data-v-c6479356] .file-picker {\n height: calc(100% - 16px - var(--default-clickable-area)) !important;\n }\n}\n[data-v-c6479356] .file-picker__content {\n display: flex;\n flex-direction: column;\n overflow: hidden;\n}\n`, \"\",{\"version\":3,\"sources\":[\"webpack://./node_modules/@nextcloud/dialogs/dist/style.css\"],\"names\":[],\"mappings\":\"AAAA,gBAAgB;AAChB;;;;;;;;;;;;;;;;;;;;EAoBE;AACF;EACE,gBAAgB;EAChB,gBAAgB;EAChB,8CAA8C;EAC9C,6BAA6B;EAC7B,6CAA6C;EAC7C,eAAe;EACf,gBAAgB;EAChB,eAAe;EACf,cAAc;EACd,mCAAmC;EACnC,aAAa;EACb,mBAAmB;AACrB;AACA;EACE,aAAa;EACb,mBAAmB;AACrB;AACA;;EAEE,gBAAgB;EAChB,gBAAgB;EAChB,sBAAsB;EACtB,eAAe;EACf,YAAY;EACZ,aAAa;EACb,mBAAmB;EACnB,4BAA4B;EAC5B,2BAA2B;EAC3B,6BAA6B;EAC7B,aAAa;AACf;AACA;;EAEE,cAAc;EACd,WAAW;EACX,YAAY;EACZ,gBAAgB;EAChB,iBAAiB;EACjB,YAAY;AACd;AACA;;EAEE,yDAA8Q;EAC9Q,YAAY;EACZ,wCAAwC;EACxC,qBAAqB;EACrB,WAAW;EACX,YAAY;AACd;AACA;;EAEE,wBAAwB;EACxB,wBAAwB;AAC1B;AACA;;;;;;EAME,eAAe;EACf,UAAU;AACZ;AACA;EACE,WAAW;AACb;AACA;EACE,eAAe;AACjB;AACA;EACE,yCAAyC;AAC3C;AACA;EACE,2CAA2C;AAC7C;AACA;EACE,2CAA2C;AAC7C;AACA;;EAEE,2CAA2C;AAC7C;AACA;EACE,yDAAsT;AACxT;AACA;EACE,WAAW;EACX,YAAY;EACZ,eAAe;EACf,gBAAgB;EAChB,4BAA4B;EAC5B,wBAAwB;EACxB,aAAa;EACb,uBAAuB;AACzB;AACA;EACE,+BAA+B;AACjC;AACA;EACE,eAAe;EACf,gBAAgB;EAChB,uBAAuB;EACvB,mBAAmB;AACrB;AACA;EACE,cAAc;AAChB;AACA;EACE,sBAAsB;AACxB;AACA;EACE,eAAe;EACf,sBAAsB;AACxB;AACA;EACE,qBAAqB;AACvB;AACA;EACE;IACE,2BAA2B;EAC7B;EACA;IACE,6BAA6B;EAC/B;EACA;IACE,2BAA2B;EAC7B;AACF;AACA;EACE,6BAA6B;AAC/B;AACA;EACE,qBAAqB;EACrB,YAAY;EACZ,oIAAoI;EACpI,2BAA2B;EAC3B,mCAAmC;EACnC,8CAA8C;AAChD;AACA;EACE,oBAAoB;EACpB,mBAAmB;AACrB;AACA;EACE,WAAW;AACb;AACA;EACE,wBAAwB;EACxB,YAAY;AACd;AACA;EACE,WAAW;AACb;AACA;EACE,WAAW;AACb;AACA;EACE,+BAA+B;AACjC;AACA;EACE,eAAe;EACf,gBAAgB;EAChB,uBAAuB;EACvB,mBAAmB;AACrB;AACA;EACE,cAAc;AAChB;AACA;EACE,sBAAsB;AACxB;AACA;EACE,eAAe;EACf,sBAAsB;AACxB;AACA;EACE,qBAAqB;AACvB;AACA;EACE,8CAA8C;AAChD;AACA;EACE,+CAA+C;AACjD;AACA;EACE,aAAa;EACb,sBAAsB;EACtB,mBAAmB;EACnB,YAAY;AACd;AACA;EACE,yBAAyB;EACzB,YAAY;EACZ,gBAAgB;EAChB,uBAAuB;AACzB;AACA;EACE,oCAAoC;EACpC,sBAAsB;AACxB;AACA;EACE,WAAW;EACX,YAAY;EACZ,cAAc;AAChB;AACA;EACE,WAAW;EACX,yBAAyB;EACzB,qBAAqB;AACvB;AACA;EACE,WAAW;EACX,gBAAgB;EAChB,mBAAmB;AACrB;AACA;EACE,gBAAgB;EAChB,UAAU;EACV,MAAM;EACN,8CAA8C;EAC9C,YAAY;AACd;AACA;EACE,aAAa;AACf;AACA;EACE,WAAW;AACb;AACA;EACE,YAAY;AACd;AACA;EACE,YAAY;AACd;AACA;EACE,YAAY;AACd;AACA;EACE,sBAAsB;EACtB,2BAA2B;AAC7B;AACA;EACE,wBAAwB;AAC1B;AACA;EACE,oBAAoB;AACtB;AACA;EACE,oCAAoC;AACtC;AACA;EACE,gBAAgB;AAClB;AACA;EACE,uBAAuB;AACzB;AACA;EACE,aAAa;EACb,sBAAsB;EACtB,oBAAoB;EACpB,UAAU;EACV,gBAAgB;EAChB,YAAY;EACZ,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._file-picker__file-icon_1vgv4_5 {\\n width: 32px;\\n height: 32px;\\n min-width: 32px;\\n min-height: 32px;\\n background-repeat: no-repeat;\\n background-size: contain;\\n display: flex;\\n justify-content: center;\\n}\\ntr.file-picker__row[data-v-6aded0d9] {\\n height: var(--row-height, 50px);\\n}\\ntr.file-picker__row td[data-v-6aded0d9] {\\n cursor: pointer;\\n overflow: hidden;\\n text-overflow: ellipsis;\\n border-bottom: none;\\n}\\ntr.file-picker__row td.row-checkbox[data-v-6aded0d9] {\\n padding: 0 2px;\\n}\\ntr.file-picker__row td[data-v-6aded0d9]:not(.row-checkbox) {\\n padding-inline: 14px 0;\\n}\\ntr.file-picker__row td.row-size[data-v-6aded0d9] {\\n text-align: end;\\n padding-inline: 0 14px;\\n}\\ntr.file-picker__row td.row-name[data-v-6aded0d9] {\\n padding-inline: 2px 0;\\n}\\n@keyframes gradient-6aded0d9 {\\n 0% {\\n background-position: 0% 50%;\\n }\\n 50% {\\n background-position: 100% 50%;\\n }\\n to {\\n background-position: 0% 50%;\\n }\\n}\\n.loading-row .row-checkbox[data-v-6aded0d9] {\\n text-align: center !important;\\n}\\n.loading-row span[data-v-6aded0d9] {\\n display: inline-block;\\n height: 24px;\\n background: linear-gradient(to right, var(--color-background-darker), var(--color-text-maxcontrast), var(--color-background-darker));\\n background-size: 600px 100%;\\n border-radius: var(--border-radius);\\n animation: gradient-6aded0d9 12s ease infinite;\\n}\\n.loading-row .row-wrapper[data-v-6aded0d9] {\\n display: inline-flex;\\n align-items: center;\\n}\\n.loading-row .row-checkbox span[data-v-6aded0d9] {\\n width: 24px;\\n}\\n.loading-row .row-name span[data-v-6aded0d9]:last-of-type {\\n margin-inline-start: 6px;\\n width: 130px;\\n}\\n.loading-row .row-size span[data-v-6aded0d9] {\\n width: 80px;\\n}\\n.loading-row .row-modified span[data-v-6aded0d9] {\\n width: 90px;\\n}\\ntr.file-picker__row[data-v-48df4f27] {\\n height: var(--row-height, 50px);\\n}\\ntr.file-picker__row td[data-v-48df4f27] {\\n cursor: pointer;\\n overflow: hidden;\\n text-overflow: ellipsis;\\n border-bottom: none;\\n}\\ntr.file-picker__row td.row-checkbox[data-v-48df4f27] {\\n padding: 0 2px;\\n}\\ntr.file-picker__row td[data-v-48df4f27]:not(.row-checkbox) {\\n padding-inline: 14px 0;\\n}\\ntr.file-picker__row td.row-size[data-v-48df4f27] {\\n text-align: end;\\n padding-inline: 0 14px;\\n}\\ntr.file-picker__row td.row-name[data-v-48df4f27] {\\n padding-inline: 2px 0;\\n}\\n.file-picker__row--selected[data-v-48df4f27] {\\n background-color: var(--color-background-dark);\\n}\\n.file-picker__row[data-v-48df4f27]:hover {\\n background-color: var(--color-background-hover);\\n}\\n.file-picker__name-container[data-v-48df4f27] {\\n display: flex;\\n justify-content: start;\\n align-items: center;\\n height: 100%;\\n}\\n.file-picker__file-name[data-v-48df4f27] {\\n padding-inline-start: 6px;\\n min-width: 0;\\n overflow: hidden;\\n text-overflow: ellipsis;\\n}\\n.file-picker__file-extension[data-v-48df4f27] {\\n color: var(--color-text-maxcontrast);\\n min-width: fit-content;\\n}\\n.file-picker__header-preview[data-v-d3c94818] {\\n width: 22px;\\n height: 32px;\\n flex: 0 0 auto;\\n}\\n.file-picker__files[data-v-d3c94818] {\\n margin: 2px;\\n margin-inline-start: 12px;\\n overflow: scroll auto;\\n}\\n.file-picker__files table[data-v-d3c94818] {\\n width: 100%;\\n max-height: 100%;\\n table-layout: fixed;\\n}\\n.file-picker__files th[data-v-d3c94818] {\\n position: sticky;\\n z-index: 1;\\n top: 0;\\n background-color: var(--color-main-background);\\n padding: 2px;\\n}\\n.file-picker__files th .header-wrapper[data-v-d3c94818] {\\n display: flex;\\n}\\n.file-picker__files th.row-checkbox[data-v-d3c94818] {\\n width: 44px;\\n}\\n.file-picker__files th.row-name[data-v-d3c94818] {\\n width: 230px;\\n}\\n.file-picker__files th.row-size[data-v-d3c94818] {\\n width: 100px;\\n}\\n.file-picker__files th.row-modified[data-v-d3c94818] {\\n width: 120px;\\n}\\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue__wrapper {\\n justify-content: start;\\n flex-direction: row-reverse;\\n}\\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue {\\n padding-inline: 16px 4px;\\n}\\n.file-picker__files th.row-size[data-v-d3c94818] .button-vue__wrapper {\\n justify-content: end;\\n}\\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper {\\n color: var(--color-text-maxcontrast);\\n}\\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper .button-vue__text {\\n font-weight: 400;\\n}\\n.file-picker__breadcrumbs[data-v-3bc9efa5] {\\n flex-grow: 0 !important;\\n}\\n.file-picker__side[data-v-e96bec41] {\\n display: flex;\\n flex-direction: column;\\n align-items: stretch;\\n gap: .5rem;\\n min-width: 200px;\\n padding: 2px;\\n overflow: auto;\\n}\\n.file-picker__side[data-v-e96bec41] .button-vue__wrapper {\\n justify-content: start;\\n}\\n.file-picker__filter-input[data-v-e96bec41] {\\n margin-block: 7px;\\n max-width: 260px;\\n}\\n@media (max-width: 736px) {\\n .file-picker__side[data-v-e96bec41] {\\n flex-direction: row;\\n min-width: unset;\\n }\\n}\\n@media (max-width: 512px) {\\n .file-picker__side[data-v-e96bec41] {\\n flex-direction: row;\\n min-width: unset;\\n }\\n .file-picker__filter-input[data-v-e96bec41] {\\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-c6479356] {\\n height: 50px;\\n display: flex;\\n justify-content: start;\\n align-items: center;\\n}\\n.file-picker__view h3[data-v-c6479356] {\\n font-weight: 700;\\n height: fit-content;\\n margin: 0;\\n}\\n.file-picker__main[data-v-c6479356] {\\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-c6479356] {\\n box-sizing: border-box;\\n}\\n[data-v-c6479356] .file-picker {\\n height: min(80vh, 800px) !important;\\n}\\n@media (max-width: 512px) {\\n [data-v-c6479356] .file-picker {\\n height: calc(100% - 16px - var(--default-clickable-area)) !important;\\n }\\n}\\n[data-v-c6479356] .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 \"../../../../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, `.template-picker__item[data-v-0859a92c]{display:flex}.template-picker__label[data-v-0859a92c]{display:flex;align-items:center;flex:1 1;flex-direction:column}.template-picker__label[data-v-0859a92c],.template-picker__label *[data-v-0859a92c]{cursor:pointer;user-select:none}.template-picker__label[data-v-0859a92c]::before{display:none !important}.template-picker__preview[data-v-0859a92c]{display:block;overflow:hidden;flex:1 1;width:var(--width);min-height:var(--height);max-height:var(--height);padding:0;border:var(--border) solid var(--color-border);border-radius:var(--border-radius-large)}input:checked+label>.template-picker__preview[data-v-0859a92c]{border-color:var(--color-primary-element)}.template-picker__preview--failed[data-v-0859a92c]{display:flex}.template-picker__image[data-v-0859a92c]{max-width:100%;background-color:var(--color-main-background);object-fit:cover}.template-picker__preview--failed .template-picker__image[data-v-0859a92c]{width:calc(var(--margin)*8);margin:auto;background-color:rgba(0,0,0,0) !important;object-fit:initial}.template-picker__title[data-v-0859a92c]{overflow:hidden;max-width:calc(var(--width) + 4px);padding:var(--margin);white-space:nowrap;text-overflow:ellipsis}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/components/TemplatePreview.vue\"],\"names\":[],\"mappings\":\"AAGC,wCACC,YAAA,CAGD,yCACC,YAAA,CAEA,kBAAA,CACA,QAAA,CACA,qBAAA,CAEA,oFACC,cAAA,CACA,gBAAA,CAGD,iDACC,uBAAA,CAIF,2CACC,aAAA,CACA,eAAA,CAEA,QAAA,CACA,kBAAA,CACA,wBAAA,CACA,wBAAA,CACA,SAAA,CACA,8CAAA,CACA,wCAAA,CAEA,+DACC,yCAAA,CAGD,mDAEC,YAAA,CAIF,yCACC,cAAA,CACA,6CAAA,CAEA,gBAAA,CAID,2EACC,2BAAA,CAEA,WAAA,CACA,yCAAA,CAEA,kBAAA,CAGD,yCACC,eAAA,CAEA,kCAAA,CACA,qBAAA,CACA,kBAAA,CACA,sBAAA\",\"sourcesContent\":[\"\\n\\n.template-picker {\\n\\t&__item {\\n\\t\\tdisplay: flex;\\n\\t}\\n\\n\\t&__label {\\n\\t\\tdisplay: flex;\\n\\t\\t// Align in the middle of the grid\\n\\t\\talign-items: center;\\n\\t\\tflex: 1 1;\\n\\t\\tflex-direction: column;\\n\\n\\t\\t&, * {\\n\\t\\t\\tcursor: pointer;\\n\\t\\t\\tuser-select: none;\\n\\t\\t}\\n\\n\\t\\t&::before {\\n\\t\\t\\tdisplay: none !important;\\n\\t\\t}\\n\\t}\\n\\n\\t&__preview {\\n\\t\\tdisplay: block;\\n\\t\\toverflow: hidden;\\n\\t\\t// Stretch so all entries are the same width\\n\\t\\tflex: 1 1;\\n\\t\\twidth: var(--width);\\n\\t\\tmin-height: var(--height);\\n\\t\\tmax-height: var(--height);\\n\\t\\tpadding: 0;\\n\\t\\tborder: var(--border) solid var(--color-border);\\n\\t\\tborder-radius: var(--border-radius-large);\\n\\n\\t\\tinput:checked + label > & {\\n\\t\\t\\tborder-color: var(--color-primary-element);\\n\\t\\t}\\n\\n\\t\\t&--failed {\\n\\t\\t\\t// Make sure to properly center fallback icon\\n\\t\\t\\tdisplay: flex;\\n\\t\\t}\\n\\t}\\n\\n\\t&__image {\\n\\t\\tmax-width: 100%;\\n\\t\\tbackground-color: var(--color-main-background);\\n\\n\\t\\tobject-fit: cover;\\n\\t}\\n\\n\\t// Failed preview, fallback to mime icon\\n\\t&__preview--failed &__image {\\n\\t\\twidth: calc(var(--margin) * 8);\\n\\t\\t// Center mime icon\\n\\t\\tmargin: auto;\\n\\t\\tbackground-color: transparent !important;\\n\\n\\t\\tobject-fit: initial;\\n\\t}\\n\\n\\t&__title {\\n\\t\\toverflow: hidden;\\n\\t\\t// also count preview border\\n\\t\\tmax-width: calc(var(--width) + 2*2px);\\n\\t\\tpadding: var(--margin);\\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, `.templates-picker__form[data-v-48121b39]{padding:calc(var(--margin)*2);padding-bottom:0}.templates-picker__form h2[data-v-48121b39]{text-align:center;font-weight:bold;margin:var(--margin) 0 calc(var(--margin)*2)}.templates-picker__list[data-v-48121b39]{display:grid;grid-gap:calc(var(--margin)*2);grid-auto-columns:1fr;max-width:calc(var(--fullwidth)*6);grid-template-columns:repeat(auto-fit, var(--fullwidth));grid-auto-rows:1fr;justify-content:center}.templates-picker__buttons[data-v-48121b39]{display:flex;justify-content:end;padding:calc(var(--margin)*2) var(--margin);position:sticky;bottom:0;background-image:linear-gradient(0, var(--gradient-main-background))}.templates-picker__buttons button[data-v-48121b39],.templates-picker__buttons input[type=submit][data-v-48121b39]{height:44px}.templates-picker[data-v-48121b39] .modal-container{position:relative}.templates-picker__loading[data-v-48121b39]{position:absolute;top:0;left:0;justify-content:center;width:100%;height:100%;margin:0;background-color:var(--color-main-background-translucent)}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/views/TemplatePicker.vue\"],\"names\":[],\"mappings\":\"AAEC,yCACC,6BAAA,CAEA,gBAAA,CAEA,4CACC,iBAAA,CACA,gBAAA,CACA,4CAAA,CAIF,yCACC,YAAA,CACA,8BAAA,CACA,qBAAA,CAEA,kCAAA,CACA,wDAAA,CAEA,kBAAA,CAEA,sBAAA,CAGD,4CACC,YAAA,CACA,mBAAA,CACA,2CAAA,CACA,eAAA,CACA,QAAA,CACA,oEAAA,CAEA,kHACC,WAAA,CAKF,oDACC,iBAAA,CAGD,4CACC,iBAAA,CACA,KAAA,CACA,MAAA,CACA,sBAAA,CACA,UAAA,CACA,WAAA,CACA,QAAA,CACA,yDAAA\",\"sourcesContent\":[\"\\n.templates-picker {\\n\\t&__form {\\n\\t\\tpadding: calc(var(--margin) * 2);\\n\\t\\t// Will be handled by the buttons\\n\\t\\tpadding-bottom: 0;\\n\\n\\t\\th2 {\\n\\t\\t\\ttext-align: center;\\n\\t\\t\\tfont-weight: bold;\\n\\t\\t\\tmargin: var(--margin) 0 calc(var(--margin) * 2);\\n\\t\\t}\\n\\t}\\n\\n\\t&__list {\\n\\t\\tdisplay: grid;\\n\\t\\tgrid-gap: calc(var(--margin) * 2);\\n\\t\\tgrid-auto-columns: 1fr;\\n\\t\\t// We want maximum 5 columns. Putting 6 as we don't count the grid gap. So it will always be lower than 6\\n\\t\\tmax-width: calc(var(--fullwidth) * 6);\\n\\t\\tgrid-template-columns: repeat(auto-fit, var(--fullwidth));\\n\\t\\t// Make sure all rows are the same height\\n\\t\\tgrid-auto-rows: 1fr;\\n\\t\\t// Center the columns set\\n\\t\\tjustify-content: center;\\n\\t}\\n\\n\\t&__buttons {\\n\\t\\tdisplay: flex;\\n\\t\\tjustify-content: end;\\n\\t\\tpadding: calc(var(--margin) * 2) var(--margin);\\n\\t\\tposition: sticky;\\n\\t\\tbottom: 0;\\n\\t\\tbackground-image: linear-gradient(0, var(--gradient-main-background));\\n\\n\\t\\tbutton, input[type='submit'] {\\n\\t\\t\\theight: 44px;\\n\\t\\t}\\n\\t}\\n\\n\\t// Make sure we're relative for the loading emptycontent on top\\n\\t::v-deep .modal-container {\\n\\t\\tposition: relative;\\n\\t}\\n\\n\\t&__loading {\\n\\t\\tposition: absolute;\\n\\t\\ttop: 0;\\n\\t\\tleft: 0;\\n\\t\\tjustify-content: center;\\n\\t\\twidth: 100%;\\n\\t\\theight: 100%;\\n\\t\\tmargin: 0;\\n\\t\\tbackground-color: var(--color-main-background-translucent);\\n\\t}\\n}\\n\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","var http = require('http')\nvar url = require('url')\n\nvar https = module.exports\n\nfor (var key in http) {\n if (http.hasOwnProperty(key)) https[key] = http[key]\n}\n\nhttps.request = function (params, cb) {\n params = validateParams(params)\n return http.request.call(this, params, cb)\n}\n\nhttps.get = function (params, cb) {\n params = validateParams(params)\n return http.get.call(this, params, cb)\n}\n\nfunction validateParams (params) {\n if (typeof params === 'string') {\n params = url.parse(params)\n }\n if (!params.protocol) {\n params.protocol = 'https:'\n }\n if (params.protocol !== 'https:') {\n throw new Error('Protocol \"' + params.protocol + '\" not supported. Expected \"https:\"')\n }\n return params\n}\n","exports = module.exports = require('./lib/_stream_readable.js');\nexports.Stream = exports;\nexports.Readable = exports;\nexports.Writable = require('./lib/_stream_writable.js');\nexports.Duplex = require('./lib/_stream_duplex.js');\nexports.Transform = require('./lib/_stream_transform.js');\nexports.PassThrough = require('./lib/_stream_passthrough.js');\nexports.finished = require('./lib/internal/streams/end-of-stream.js');\nexports.pipeline = require('./lib/internal/streams/pipeline.js');\n","var ClientRequest = require('./lib/request')\nvar response = require('./lib/response')\nvar extend = require('xtend')\nvar statusCodes = require('builtin-status-codes')\nvar url = require('url')\n\nvar http = exports\n\nhttp.request = function (opts, cb) {\n\tif (typeof opts === 'string')\n\t\topts = url.parse(opts)\n\telse\n\t\topts = extend(opts)\n\n\t// Normally, the page is loaded from http or https, so not specifying a protocol\n\t// will result in a (valid) protocol-relative url. However, this won't work if\n\t// the protocol is something else, like 'file:'\n\tvar defaultProtocol = global.location.protocol.search(/^https?:$/) === -1 ? 'http:' : ''\n\n\tvar protocol = opts.protocol || defaultProtocol\n\tvar host = opts.hostname || opts.host\n\tvar port = opts.port\n\tvar path = opts.path || '/'\n\n\t// Necessary for IPv6 addresses\n\tif (host && host.indexOf(':') !== -1)\n\t\thost = '[' + host + ']'\n\n\t// This may be a relative url. The browser should always be able to interpret it correctly.\n\topts.url = (host ? (protocol + '//' + host) : '') + (port ? ':' + port : '') + path\n\topts.method = (opts.method || 'GET').toUpperCase()\n\topts.headers = opts.headers || {}\n\n\t// Also valid opts.auth, opts.mode\n\n\tvar req = new ClientRequest(opts)\n\tif (cb)\n\t\treq.on('response', cb)\n\treturn req\n}\n\nhttp.get = function get (opts, cb) {\n\tvar req = http.request(opts, cb)\n\treq.end()\n\treturn req\n}\n\nhttp.ClientRequest = ClientRequest\nhttp.IncomingMessage = response.IncomingMessage\n\nhttp.Agent = function () {}\nhttp.Agent.defaultMaxSockets = 4\n\nhttp.globalAgent = new http.Agent()\n\nhttp.STATUS_CODES = statusCodes\n\nhttp.METHODS = [\n\t'CHECKOUT',\n\t'CONNECT',\n\t'COPY',\n\t'DELETE',\n\t'GET',\n\t'HEAD',\n\t'LOCK',\n\t'M-SEARCH',\n\t'MERGE',\n\t'MKACTIVITY',\n\t'MKCOL',\n\t'MOVE',\n\t'NOTIFY',\n\t'OPTIONS',\n\t'PATCH',\n\t'POST',\n\t'PROPFIND',\n\t'PROPPATCH',\n\t'PURGE',\n\t'PUT',\n\t'REPORT',\n\t'SEARCH',\n\t'SUBSCRIBE',\n\t'TRACE',\n\t'UNLOCK',\n\t'UNSUBSCRIBE'\n]","exports.fetch = isFunction(global.fetch) && isFunction(global.ReadableStream)\n\nexports.writableStream = isFunction(global.WritableStream)\n\nexports.abortController = isFunction(global.AbortController)\n\n// The xhr request to example.com may violate some restrictive CSP configurations,\n// so if we're running in a browser that supports `fetch`, avoid calling getXHR()\n// and assume support for certain features below.\nvar xhr\nfunction getXHR () {\n\t// Cache the xhr value\n\tif (xhr !== undefined) return xhr\n\n\tif (global.XMLHttpRequest) {\n\t\txhr = new global.XMLHttpRequest()\n\t\t// If XDomainRequest is available (ie only, where xhr might not work\n\t\t// cross domain), use the page location. Otherwise use example.com\n\t\t// Note: this doesn't actually make an http request.\n\t\ttry {\n\t\t\txhr.open('GET', global.XDomainRequest ? '/' : 'https://example.com')\n\t\t} catch(e) {\n\t\t\txhr = null\n\t\t}\n\t} else {\n\t\t// Service workers don't have XHR\n\t\txhr = null\n\t}\n\treturn xhr\n}\n\nfunction checkTypeSupport (type) {\n\tvar xhr = getXHR()\n\tif (!xhr) return false\n\ttry {\n\t\txhr.responseType = type\n\t\treturn xhr.responseType === type\n\t} catch (e) {}\n\treturn false\n}\n\n// If fetch is supported, then arraybuffer will be supported too. Skip calling\n// checkTypeSupport(), since that calls getXHR().\nexports.arraybuffer = exports.fetch || checkTypeSupport('arraybuffer')\n\n// These next two tests unavoidably show warnings in Chrome. Since fetch will always\n// be used if it's available, just return false for these to avoid the warnings.\nexports.msstream = !exports.fetch && checkTypeSupport('ms-stream')\nexports.mozchunkedarraybuffer = !exports.fetch && checkTypeSupport('moz-chunked-arraybuffer')\n\n// If fetch is supported, then overrideMimeType will be supported too. Skip calling\n// getXHR().\nexports.overrideMimeType = exports.fetch || (getXHR() ? isFunction(getXHR().overrideMimeType) : false)\n\nfunction isFunction (value) {\n\treturn typeof value === 'function'\n}\n\nxhr = null // Help gc\n","var capability = require('./capability')\nvar inherits = require('inherits')\nvar response = require('./response')\nvar stream = require('readable-stream')\n\nvar IncomingMessage = response.IncomingMessage\nvar rStates = response.readyStates\n\nfunction decideMode (preferBinary, useFetch) {\n\tif (capability.fetch && useFetch) {\n\t\treturn 'fetch'\n\t} else if (capability.mozchunkedarraybuffer) {\n\t\treturn 'moz-chunked-arraybuffer'\n\t} else if (capability.msstream) {\n\t\treturn 'ms-stream'\n\t} else if (capability.arraybuffer && preferBinary) {\n\t\treturn 'arraybuffer'\n\t} else {\n\t\treturn 'text'\n\t}\n}\n\nvar ClientRequest = module.exports = function (opts) {\n\tvar self = this\n\tstream.Writable.call(self)\n\n\tself._opts = opts\n\tself._body = []\n\tself._headers = {}\n\tif (opts.auth)\n\t\tself.setHeader('Authorization', 'Basic ' + Buffer.from(opts.auth).toString('base64'))\n\tObject.keys(opts.headers).forEach(function (name) {\n\t\tself.setHeader(name, opts.headers[name])\n\t})\n\n\tvar preferBinary\n\tvar useFetch = true\n\tif (opts.mode === 'disable-fetch' || ('requestTimeout' in opts && !capability.abortController)) {\n\t\t// If the use of XHR should be preferred. Not typically needed.\n\t\tuseFetch = false\n\t\tpreferBinary = true\n\t} else if (opts.mode === 'prefer-streaming') {\n\t\t// If streaming is a high priority but binary compatibility and\n\t\t// the accuracy of the 'content-type' header aren't\n\t\tpreferBinary = false\n\t} else if (opts.mode === 'allow-wrong-content-type') {\n\t\t// If streaming is more important than preserving the 'content-type' header\n\t\tpreferBinary = !capability.overrideMimeType\n\t} else if (!opts.mode || opts.mode === 'default' || opts.mode === 'prefer-fast') {\n\t\t// Use binary if text streaming may corrupt data or the content-type header, or for speed\n\t\tpreferBinary = true\n\t} else {\n\t\tthrow new Error('Invalid value for opts.mode')\n\t}\n\tself._mode = decideMode(preferBinary, useFetch)\n\tself._fetchTimer = null\n\tself._socketTimeout = null\n\tself._socketTimer = null\n\n\tself.on('finish', function () {\n\t\tself._onFinish()\n\t})\n}\n\ninherits(ClientRequest, stream.Writable)\n\nClientRequest.prototype.setHeader = function (name, value) {\n\tvar self = this\n\tvar lowerName = name.toLowerCase()\n\t// This check is not necessary, but it prevents warnings from browsers about setting unsafe\n\t// headers. To be honest I'm not entirely sure hiding these warnings is a good thing, but\n\t// http-browserify did it, so I will too.\n\tif (unsafeHeaders.indexOf(lowerName) !== -1)\n\t\treturn\n\n\tself._headers[lowerName] = {\n\t\tname: name,\n\t\tvalue: value\n\t}\n}\n\nClientRequest.prototype.getHeader = function (name) {\n\tvar header = this._headers[name.toLowerCase()]\n\tif (header)\n\t\treturn header.value\n\treturn null\n}\n\nClientRequest.prototype.removeHeader = function (name) {\n\tvar self = this\n\tdelete self._headers[name.toLowerCase()]\n}\n\nClientRequest.prototype._onFinish = function () {\n\tvar self = this\n\n\tif (self._destroyed)\n\t\treturn\n\tvar opts = self._opts\n\n\tif ('timeout' in opts && opts.timeout !== 0) {\n\t\tself.setTimeout(opts.timeout)\n\t}\n\n\tvar headersObj = self._headers\n\tvar body = null\n\tif (opts.method !== 'GET' && opts.method !== 'HEAD') {\n body = new Blob(self._body, {\n type: (headersObj['content-type'] || {}).value || ''\n });\n }\n\n\t// create flattened list of headers\n\tvar headersList = []\n\tObject.keys(headersObj).forEach(function (keyName) {\n\t\tvar name = headersObj[keyName].name\n\t\tvar value = headersObj[keyName].value\n\t\tif (Array.isArray(value)) {\n\t\t\tvalue.forEach(function (v) {\n\t\t\t\theadersList.push([name, v])\n\t\t\t})\n\t\t} else {\n\t\t\theadersList.push([name, value])\n\t\t}\n\t})\n\n\tif (self._mode === 'fetch') {\n\t\tvar signal = null\n\t\tif (capability.abortController) {\n\t\t\tvar controller = new AbortController()\n\t\t\tsignal = controller.signal\n\t\t\tself._fetchAbortController = controller\n\n\t\t\tif ('requestTimeout' in opts && opts.requestTimeout !== 0) {\n\t\t\t\tself._fetchTimer = global.setTimeout(function () {\n\t\t\t\t\tself.emit('requestTimeout')\n\t\t\t\t\tif (self._fetchAbortController)\n\t\t\t\t\t\tself._fetchAbortController.abort()\n\t\t\t\t}, opts.requestTimeout)\n\t\t\t}\n\t\t}\n\n\t\tglobal.fetch(self._opts.url, {\n\t\t\tmethod: self._opts.method,\n\t\t\theaders: headersList,\n\t\t\tbody: body || undefined,\n\t\t\tmode: 'cors',\n\t\t\tcredentials: opts.withCredentials ? 'include' : 'same-origin',\n\t\t\tsignal: signal\n\t\t}).then(function (response) {\n\t\t\tself._fetchResponse = response\n\t\t\tself._resetTimers(false)\n\t\t\tself._connect()\n\t\t}, function (reason) {\n\t\t\tself._resetTimers(true)\n\t\t\tif (!self._destroyed)\n\t\t\t\tself.emit('error', reason)\n\t\t})\n\t} else {\n\t\tvar xhr = self._xhr = new global.XMLHttpRequest()\n\t\ttry {\n\t\t\txhr.open(self._opts.method, self._opts.url, true)\n\t\t} catch (err) {\n\t\t\tprocess.nextTick(function () {\n\t\t\t\tself.emit('error', err)\n\t\t\t})\n\t\t\treturn\n\t\t}\n\n\t\t// Can't set responseType on really old browsers\n\t\tif ('responseType' in xhr)\n\t\t\txhr.responseType = self._mode\n\n\t\tif ('withCredentials' in xhr)\n\t\t\txhr.withCredentials = !!opts.withCredentials\n\n\t\tif (self._mode === 'text' && 'overrideMimeType' in xhr)\n\t\t\txhr.overrideMimeType('text/plain; charset=x-user-defined')\n\n\t\tif ('requestTimeout' in opts) {\n\t\t\txhr.timeout = opts.requestTimeout\n\t\t\txhr.ontimeout = function () {\n\t\t\t\tself.emit('requestTimeout')\n\t\t\t}\n\t\t}\n\n\t\theadersList.forEach(function (header) {\n\t\t\txhr.setRequestHeader(header[0], header[1])\n\t\t})\n\n\t\tself._response = null\n\t\txhr.onreadystatechange = function () {\n\t\t\tswitch (xhr.readyState) {\n\t\t\t\tcase rStates.LOADING:\n\t\t\t\tcase rStates.DONE:\n\t\t\t\t\tself._onXHRProgress()\n\t\t\t\t\tbreak\n\t\t\t}\n\t\t}\n\t\t// Necessary for streaming in Firefox, since xhr.response is ONLY defined\n\t\t// in onprogress, not in onreadystatechange with xhr.readyState = 3\n\t\tif (self._mode === 'moz-chunked-arraybuffer') {\n\t\t\txhr.onprogress = function () {\n\t\t\t\tself._onXHRProgress()\n\t\t\t}\n\t\t}\n\n\t\txhr.onerror = function () {\n\t\t\tif (self._destroyed)\n\t\t\t\treturn\n\t\t\tself._resetTimers(true)\n\t\t\tself.emit('error', new Error('XHR error'))\n\t\t}\n\n\t\ttry {\n\t\t\txhr.send(body)\n\t\t} catch (err) {\n\t\t\tprocess.nextTick(function () {\n\t\t\t\tself.emit('error', err)\n\t\t\t})\n\t\t\treturn\n\t\t}\n\t}\n}\n\n/**\n * Checks if xhr.status is readable and non-zero, indicating no error.\n * Even though the spec says it should be available in readyState 3,\n * accessing it throws an exception in IE8\n */\nfunction statusValid (xhr) {\n\ttry {\n\t\tvar status = xhr.status\n\t\treturn (status !== null && status !== 0)\n\t} catch (e) {\n\t\treturn false\n\t}\n}\n\nClientRequest.prototype._onXHRProgress = function () {\n\tvar self = this\n\n\tself._resetTimers(false)\n\n\tif (!statusValid(self._xhr) || self._destroyed)\n\t\treturn\n\n\tif (!self._response)\n\t\tself._connect()\n\n\tself._response._onXHRProgress(self._resetTimers.bind(self))\n}\n\nClientRequest.prototype._connect = function () {\n\tvar self = this\n\n\tif (self._destroyed)\n\t\treturn\n\n\tself._response = new IncomingMessage(self._xhr, self._fetchResponse, self._mode, self._resetTimers.bind(self))\n\tself._response.on('error', function(err) {\n\t\tself.emit('error', err)\n\t})\n\n\tself.emit('response', self._response)\n}\n\nClientRequest.prototype._write = function (chunk, encoding, cb) {\n\tvar self = this\n\n\tself._body.push(chunk)\n\tcb()\n}\n\nClientRequest.prototype._resetTimers = function (done) {\n\tvar self = this\n\n\tglobal.clearTimeout(self._socketTimer)\n\tself._socketTimer = null\n\n\tif (done) {\n\t\tglobal.clearTimeout(self._fetchTimer)\n\t\tself._fetchTimer = null\n\t} else if (self._socketTimeout) {\n\t\tself._socketTimer = global.setTimeout(function () {\n\t\t\tself.emit('timeout')\n\t\t}, self._socketTimeout)\n\t}\n}\n\nClientRequest.prototype.abort = ClientRequest.prototype.destroy = function (err) {\n\tvar self = this\n\tself._destroyed = true\n\tself._resetTimers(true)\n\tif (self._response)\n\t\tself._response._destroyed = true\n\tif (self._xhr)\n\t\tself._xhr.abort()\n\telse if (self._fetchAbortController)\n\t\tself._fetchAbortController.abort()\n\n\tif (err)\n\t\tself.emit('error', err)\n}\n\nClientRequest.prototype.end = function (data, encoding, cb) {\n\tvar self = this\n\tif (typeof data === 'function') {\n\t\tcb = data\n\t\tdata = undefined\n\t}\n\n\tstream.Writable.prototype.end.call(self, data, encoding, cb)\n}\n\nClientRequest.prototype.setTimeout = function (timeout, cb) {\n\tvar self = this\n\n\tif (cb)\n\t\tself.once('timeout', cb)\n\n\tself._socketTimeout = timeout\n\tself._resetTimers(false)\n}\n\nClientRequest.prototype.flushHeaders = function () {}\nClientRequest.prototype.setNoDelay = function () {}\nClientRequest.prototype.setSocketKeepAlive = function () {}\n\n// Taken from http://www.w3.org/TR/XMLHttpRequest/#the-setrequestheader%28%29-method\nvar unsafeHeaders = [\n\t'accept-charset',\n\t'accept-encoding',\n\t'access-control-request-headers',\n\t'access-control-request-method',\n\t'connection',\n\t'content-length',\n\t'cookie',\n\t'cookie2',\n\t'date',\n\t'dnt',\n\t'expect',\n\t'host',\n\t'keep-alive',\n\t'origin',\n\t'referer',\n\t'te',\n\t'trailer',\n\t'transfer-encoding',\n\t'upgrade',\n\t'via'\n]\n","var capability = require('./capability')\nvar inherits = require('inherits')\nvar stream = require('readable-stream')\n\nvar rStates = exports.readyStates = {\n\tUNSENT: 0,\n\tOPENED: 1,\n\tHEADERS_RECEIVED: 2,\n\tLOADING: 3,\n\tDONE: 4\n}\n\nvar IncomingMessage = exports.IncomingMessage = function (xhr, response, mode, resetTimers) {\n\tvar self = this\n\tstream.Readable.call(self)\n\n\tself._mode = mode\n\tself.headers = {}\n\tself.rawHeaders = []\n\tself.trailers = {}\n\tself.rawTrailers = []\n\n\t// Fake the 'close' event, but only once 'end' fires\n\tself.on('end', function () {\n\t\t// The nextTick is necessary to prevent the 'request' module from causing an infinite loop\n\t\tprocess.nextTick(function () {\n\t\t\tself.emit('close')\n\t\t})\n\t})\n\n\tif (mode === 'fetch') {\n\t\tself._fetchResponse = response\n\n\t\tself.url = response.url\n\t\tself.statusCode = response.status\n\t\tself.statusMessage = response.statusText\n\t\t\n\t\tresponse.headers.forEach(function (header, key){\n\t\t\tself.headers[key.toLowerCase()] = header\n\t\t\tself.rawHeaders.push(key, header)\n\t\t})\n\n\t\tif (capability.writableStream) {\n\t\t\tvar writable = new WritableStream({\n\t\t\t\twrite: function (chunk) {\n\t\t\t\t\tresetTimers(false)\n\t\t\t\t\treturn new Promise(function (resolve, reject) {\n\t\t\t\t\t\tif (self._destroyed) {\n\t\t\t\t\t\t\treject()\n\t\t\t\t\t\t} else if(self.push(Buffer.from(chunk))) {\n\t\t\t\t\t\t\tresolve()\n\t\t\t\t\t\t} else {\n\t\t\t\t\t\t\tself._resumeFetch = resolve\n\t\t\t\t\t\t}\n\t\t\t\t\t})\n\t\t\t\t},\n\t\t\t\tclose: function () {\n\t\t\t\t\tresetTimers(true)\n\t\t\t\t\tif (!self._destroyed)\n\t\t\t\t\t\tself.push(null)\n\t\t\t\t},\n\t\t\t\tabort: function (err) {\n\t\t\t\t\tresetTimers(true)\n\t\t\t\t\tif (!self._destroyed)\n\t\t\t\t\t\tself.emit('error', err)\n\t\t\t\t}\n\t\t\t})\n\n\t\t\ttry {\n\t\t\t\tresponse.body.pipeTo(writable).catch(function (err) {\n\t\t\t\t\tresetTimers(true)\n\t\t\t\t\tif (!self._destroyed)\n\t\t\t\t\t\tself.emit('error', err)\n\t\t\t\t})\n\t\t\t\treturn\n\t\t\t} catch (e) {} // pipeTo method isn't defined. Can't find a better way to feature test this\n\t\t}\n\t\t// fallback for when writableStream or pipeTo aren't available\n\t\tvar reader = response.body.getReader()\n\t\tfunction read () {\n\t\t\treader.read().then(function (result) {\n\t\t\t\tif (self._destroyed)\n\t\t\t\t\treturn\n\t\t\t\tresetTimers(result.done)\n\t\t\t\tif (result.done) {\n\t\t\t\t\tself.push(null)\n\t\t\t\t\treturn\n\t\t\t\t}\n\t\t\t\tself.push(Buffer.from(result.value))\n\t\t\t\tread()\n\t\t\t}).catch(function (err) {\n\t\t\t\tresetTimers(true)\n\t\t\t\tif (!self._destroyed)\n\t\t\t\t\tself.emit('error', err)\n\t\t\t})\n\t\t}\n\t\tread()\n\t} else {\n\t\tself._xhr = xhr\n\t\tself._pos = 0\n\n\t\tself.url = xhr.responseURL\n\t\tself.statusCode = xhr.status\n\t\tself.statusMessage = xhr.statusText\n\t\tvar headers = xhr.getAllResponseHeaders().split(/\\r?\\n/)\n\t\theaders.forEach(function (header) {\n\t\t\tvar matches = header.match(/^([^:]+):\\s*(.*)/)\n\t\t\tif (matches) {\n\t\t\t\tvar key = matches[1].toLowerCase()\n\t\t\t\tif (key === 'set-cookie') {\n\t\t\t\t\tif (self.headers[key] === undefined) {\n\t\t\t\t\t\tself.headers[key] = []\n\t\t\t\t\t}\n\t\t\t\t\tself.headers[key].push(matches[2])\n\t\t\t\t} else if (self.headers[key] !== undefined) {\n\t\t\t\t\tself.headers[key] += ', ' + matches[2]\n\t\t\t\t} else {\n\t\t\t\t\tself.headers[key] = matches[2]\n\t\t\t\t}\n\t\t\t\tself.rawHeaders.push(matches[1], matches[2])\n\t\t\t}\n\t\t})\n\n\t\tself._charset = 'x-user-defined'\n\t\tif (!capability.overrideMimeType) {\n\t\t\tvar mimeType = self.rawHeaders['mime-type']\n\t\t\tif (mimeType) {\n\t\t\t\tvar charsetMatch = mimeType.match(/;\\s*charset=([^;])(;|$)/)\n\t\t\t\tif (charsetMatch) {\n\t\t\t\t\tself._charset = charsetMatch[1].toLowerCase()\n\t\t\t\t}\n\t\t\t}\n\t\t\tif (!self._charset)\n\t\t\t\tself._charset = 'utf-8' // best guess\n\t\t}\n\t}\n}\n\ninherits(IncomingMessage, stream.Readable)\n\nIncomingMessage.prototype._read = function () {\n\tvar self = this\n\n\tvar resolve = self._resumeFetch\n\tif (resolve) {\n\t\tself._resumeFetch = null\n\t\tresolve()\n\t}\n}\n\nIncomingMessage.prototype._onXHRProgress = function (resetTimers) {\n\tvar self = this\n\n\tvar xhr = self._xhr\n\n\tvar response = null\n\tswitch (self._mode) {\n\t\tcase 'text':\n\t\t\tresponse = xhr.responseText\n\t\t\tif (response.length > self._pos) {\n\t\t\t\tvar newData = response.substr(self._pos)\n\t\t\t\tif (self._charset === 'x-user-defined') {\n\t\t\t\t\tvar buffer = Buffer.alloc(newData.length)\n\t\t\t\t\tfor (var i = 0; i < newData.length; i++)\n\t\t\t\t\t\tbuffer[i] = newData.charCodeAt(i) & 0xff\n\n\t\t\t\t\tself.push(buffer)\n\t\t\t\t} else {\n\t\t\t\t\tself.push(newData, self._charset)\n\t\t\t\t}\n\t\t\t\tself._pos = response.length\n\t\t\t}\n\t\t\tbreak\n\t\tcase 'arraybuffer':\n\t\t\tif (xhr.readyState !== rStates.DONE || !xhr.response)\n\t\t\t\tbreak\n\t\t\tresponse = xhr.response\n\t\t\tself.push(Buffer.from(new Uint8Array(response)))\n\t\t\tbreak\n\t\tcase 'moz-chunked-arraybuffer': // take whole\n\t\t\tresponse = xhr.response\n\t\t\tif (xhr.readyState !== rStates.LOADING || !response)\n\t\t\t\tbreak\n\t\t\tself.push(Buffer.from(new Uint8Array(response)))\n\t\t\tbreak\n\t\tcase 'ms-stream':\n\t\t\tresponse = xhr.response\n\t\t\tif (xhr.readyState !== rStates.LOADING)\n\t\t\t\tbreak\n\t\t\tvar reader = new global.MSStreamReader()\n\t\t\treader.onprogress = function () {\n\t\t\t\tif (reader.result.byteLength > self._pos) {\n\t\t\t\t\tself.push(Buffer.from(new Uint8Array(reader.result.slice(self._pos))))\n\t\t\t\t\tself._pos = reader.result.byteLength\n\t\t\t\t}\n\t\t\t}\n\t\t\treader.onload = function () {\n\t\t\t\tresetTimers(true)\n\t\t\t\tself.push(null)\n\t\t\t}\n\t\t\t// reader.onerror = ??? // TODO: this\n\t\t\treader.readAsArrayBuffer(response)\n\t\t\tbreak\n\t}\n\n\t// The ms-stream case handles end separately in reader.onload()\n\tif (self._xhr.readyState === rStates.DONE && self._mode !== 'ms-stream') {\n\t\tresetTimers(true)\n\t\tself.push(null)\n\t}\n}\n","module.exports = extend\n\nvar hasOwnProperty = Object.prototype.hasOwnProperty;\n\nfunction extend() {\n var target = {}\n\n for (var i = 0; i < arguments.length; i++) {\n var source = arguments[i]\n\n for (var key in source) {\n if (hasOwnProperty.call(source, key)) {\n target[key] = source[key]\n }\n }\n }\n\n return target\n}\n","import { getCurrentUser as A, onRequestTokenUpdate as ue, getRequestToken as de } from \"@nextcloud/auth\";\nimport { getLoggerBuilder as q } from \"@nextcloud/logger\";\nimport { getCanonicalLocale as ae } from \"@nextcloud/l10n\";\nimport { join as le, basename as fe, extname as ce, dirname as I } from \"path\";\nimport { encodePath as he } from \"@nextcloud/paths\";\nimport { generateRemoteUrl as pe } from \"@nextcloud/router\";\nimport { createClient as ge, getPatcher as we } from \"webdav\";\n/**\n * @copyright 2019 Christoph Wurst \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 me = (e) => e === null ? q().setApp(\"files\").build() : q().setApp(\"files\").setUid(e.uid).build(), m = me(A());\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 */\nclass Ne {\n _entries = [];\n registerEntry(t) {\n this.validateEntry(t), this._entries.push(t);\n }\n unregisterEntry(t) {\n const r = typeof t == \"string\" ? this.getEntryIndex(t) : this.getEntryIndex(t.id);\n if (r === -1) {\n m.warn(\"Entry not found, nothing removed\", { entry: t, entries: this.getEntries() });\n return;\n }\n this._entries.splice(r, 1);\n }\n /**\n * Get the list of registered entries\n *\n * @param {Folder} context the creation context. Usually the current folder\n */\n getEntries(t) {\n return t ? this._entries.filter((r) => typeof r.enabled == \"function\" ? r.enabled(t) : !0) : this._entries;\n }\n getEntryIndex(t) {\n return this._entries.findIndex((r) => r.id === t);\n }\n validateEntry(t) {\n if (!t.id || !t.displayName || !(t.iconSvgInline || t.iconClass) || !t.handler)\n throw new Error(\"Invalid entry\");\n if (typeof t.id != \"string\" || typeof t.displayName != \"string\")\n throw new Error(\"Invalid id or displayName property\");\n if (t.iconClass && typeof t.iconClass != \"string\" || t.iconSvgInline && typeof t.iconSvgInline != \"string\")\n throw new Error(\"Invalid icon provided\");\n if (t.enabled !== void 0 && typeof t.enabled != \"function\")\n throw new Error(\"Invalid enabled property\");\n if (typeof t.handler != \"function\")\n throw new Error(\"Invalid handler property\");\n if (\"order\" in t && typeof t.order != \"number\")\n throw new Error(\"Invalid order property\");\n if (this.getEntryIndex(t.id) !== -1)\n throw new Error(\"Duplicate entry\");\n }\n}\nconst F = function() {\n return typeof window._nc_newfilemenu > \"u\" && (window._nc_newfilemenu = new Ne(), m.debug(\"NewFileMenu initialized\")), window._nc_newfilemenu;\n};\n/**\n * @copyright 2019 Christoph Wurst \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 C = [\"B\", \"KB\", \"MB\", \"GB\", \"TB\", \"PB\"], P = [\"B\", \"KiB\", \"MiB\", \"GiB\", \"TiB\", \"PiB\"];\nfunction Yt(e, t = !1, r = !1, s = !1) {\n r = r && !s, typeof e == \"string\" && (e = Number(e));\n let n = e > 0 ? Math.floor(Math.log(e) / Math.log(s ? 1e3 : 1024)) : 0;\n n = Math.min((r ? P.length : C.length) - 1, n);\n const i = r ? P[n] : C[n];\n let d = (e / Math.pow(s ? 1e3 : 1024, n)).toFixed(1);\n return t === !0 && n === 0 ? (d !== \"0.0\" ? \"< 1 \" : \"0 \") + (r ? P[1] : C[1]) : (n < 2 ? d = parseFloat(d).toFixed(0) : d = parseFloat(d).toLocaleString(ae()), d + \" \" + i);\n}\nfunction Jt(e, t = !1) {\n try {\n e = `${e}`.toLocaleLowerCase().replaceAll(/\\s+/g, \"\").replaceAll(\",\", \".\");\n } catch {\n return null;\n }\n const r = e.match(/^([0-9]*(\\.[0-9]*)?)([kmgtp]?)(i?)b?$/);\n if (r === null || r[1] === \".\" || r[1] === \"\")\n return null;\n const s = {\n \"\": 0,\n k: 1,\n m: 2,\n g: 3,\n t: 4,\n p: 5,\n e: 6\n }, n = `${r[1]}`, i = r[4] === \"i\" || t ? 1024 : 1e3;\n return Math.round(Number.parseFloat(n) * i ** s[r[3]]);\n}\n/**\n * @copyright Copyright (c) 2023 John Molakvoæ \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 Z = /* @__PURE__ */ ((e) => (e.DEFAULT = \"default\", e.HIDDEN = \"hidden\", e))(Z || {});\nclass Qt {\n _action;\n constructor(t) {\n this.validateAction(t), this._action = t;\n }\n get id() {\n return this._action.id;\n }\n get displayName() {\n return this._action.displayName;\n }\n get title() {\n return this._action.title;\n }\n get iconSvgInline() {\n return this._action.iconSvgInline;\n }\n get enabled() {\n return this._action.enabled;\n }\n get exec() {\n return this._action.exec;\n }\n get execBatch() {\n return this._action.execBatch;\n }\n get order() {\n return this._action.order;\n }\n get parent() {\n return this._action.parent;\n }\n get default() {\n return this._action.default;\n }\n get inline() {\n return this._action.inline;\n }\n get renderInline() {\n return this._action.renderInline;\n }\n validateAction(t) {\n if (!t.id || typeof t.id != \"string\")\n throw new Error(\"Invalid id\");\n if (!t.displayName || typeof t.displayName != \"function\")\n throw new Error(\"Invalid displayName function\");\n if (\"title\" in t && typeof t.title != \"function\")\n throw new Error(\"Invalid title function\");\n if (!t.iconSvgInline || typeof t.iconSvgInline != \"function\")\n throw new Error(\"Invalid iconSvgInline function\");\n if (!t.exec || typeof t.exec != \"function\")\n throw new Error(\"Invalid exec function\");\n if (\"enabled\" in t && typeof t.enabled != \"function\")\n throw new Error(\"Invalid enabled function\");\n if (\"execBatch\" in t && typeof t.execBatch != \"function\")\n throw new Error(\"Invalid execBatch function\");\n if (\"order\" in t && typeof t.order != \"number\")\n throw new Error(\"Invalid order\");\n if (\"parent\" in t && typeof t.parent != \"string\")\n throw new Error(\"Invalid parent\");\n if (t.default && !Object.values(Z).includes(t.default))\n throw new Error(\"Invalid default\");\n if (\"inline\" in t && typeof t.inline != \"function\")\n throw new Error(\"Invalid inline function\");\n if (\"renderInline\" in t && typeof t.renderInline != \"function\")\n throw new Error(\"Invalid renderInline function\");\n }\n}\nconst Dt = function(e) {\n if (typeof window._nc_fileactions > \"u\" && (window._nc_fileactions = [], m.debug(\"FileActions initialized\")), window._nc_fileactions.find((t) => t.id === e.id)) {\n m.error(`FileAction ${e.id} already registered`, { action: e });\n return;\n }\n window._nc_fileactions.push(e);\n}, er = function() {\n return typeof window._nc_fileactions > \"u\" && (window._nc_fileactions = [], m.debug(\"FileActions initialized\")), window._nc_fileactions;\n};\n/**\n * @copyright Copyright (c) 2023 John Molakvoæ \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 tr {\n _header;\n constructor(t) {\n this.validateHeader(t), this._header = t;\n }\n get id() {\n return this._header.id;\n }\n get order() {\n return this._header.order;\n }\n get enabled() {\n return this._header.enabled;\n }\n get render() {\n return this._header.render;\n }\n get updated() {\n return this._header.updated;\n }\n validateHeader(t) {\n if (!t.id || !t.render || !t.updated)\n throw new Error(\"Invalid header: id, render and updated are required\");\n if (typeof t.id != \"string\")\n throw new Error(\"Invalid id property\");\n if (t.enabled !== void 0 && typeof t.enabled != \"function\")\n throw new Error(\"Invalid enabled property\");\n if (t.render && typeof t.render != \"function\")\n throw new Error(\"Invalid render property\");\n if (t.updated && typeof t.updated != \"function\")\n throw new Error(\"Invalid updated property\");\n }\n}\nconst rr = function(e) {\n if (typeof window._nc_filelistheader > \"u\" && (window._nc_filelistheader = [], m.debug(\"FileListHeaders initialized\")), window._nc_filelistheader.find((t) => t.id === e.id)) {\n m.error(`Header ${e.id} already registered`, { header: e });\n return;\n }\n window._nc_filelistheader.push(e);\n}, nr = function() {\n return typeof window._nc_filelistheader > \"u\" && (window._nc_filelistheader = [], m.debug(\"FileListHeaders initialized\")), window._nc_filelistheader;\n};\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ \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 N = /* @__PURE__ */ ((e) => (e[e.NONE = 0] = \"NONE\", e[e.CREATE = 4] = \"CREATE\", e[e.READ = 1] = \"READ\", e[e.UPDATE = 2] = \"UPDATE\", e[e.DELETE = 8] = \"DELETE\", e[e.SHARE = 16] = \"SHARE\", e[e.ALL = 31] = \"ALL\", e))(N || {});\n/**\n * @copyright Copyright (c) 2023 John Molakvoæ \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 j = [\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 \"nc:share-attributes\",\n \"oc:comments-unread\",\n \"oc:favorite\",\n \"oc:fileid\",\n \"oc:owner-display-name\",\n \"oc:owner-id\",\n \"oc:permissions\",\n \"oc:share-types\",\n \"oc:size\",\n \"ocs:share-permissions\"\n], Y = {\n d: \"DAV:\",\n nc: \"http://nextcloud.org/ns\",\n oc: \"http://owncloud.org/ns\",\n ocs: \"http://open-collaboration-services.org/ns\"\n}, ir = function(e, t = { nc: \"http://nextcloud.org/ns\" }) {\n typeof window._nc_dav_properties > \"u\" && (window._nc_dav_properties = [...j], window._nc_dav_namespaces = { ...Y });\n const r = { ...window._nc_dav_namespaces, ...t };\n if (window._nc_dav_properties.find((n) => n === e))\n return m.error(`${e} already registered`, { prop: e }), !1;\n if (e.startsWith(\"<\") || e.split(\":\").length !== 2)\n return m.error(`${e} is not valid. See example: 'oc:fileid'`, { prop: e }), !1;\n const s = e.split(\":\")[0];\n return r[s] ? (window._nc_dav_properties.push(e), window._nc_dav_namespaces = r, !0) : (m.error(`${e} namespace unknown`, { prop: e, namespaces: r }), !1);\n}, V = function() {\n return typeof window._nc_dav_properties > \"u\" && (window._nc_dav_properties = [...j]), window._nc_dav_properties.map((e) => `<${e} />`).join(\" \");\n}, L = function() {\n return typeof window._nc_dav_namespaces > \"u\" && (window._nc_dav_namespaces = { ...Y }), Object.keys(window._nc_dav_namespaces).map((e) => `xmlns:${e}=\"${window._nc_dav_namespaces?.[e]}\"`).join(\" \");\n}, sr = function() {\n return `\n\t\t\n\t\t\t\n\t\t\t\t${V()}\n\t\t\t\n\t\t`;\n}, Ee = function() {\n return `\n\t\t\n\t\t\t\n\t\t\t\t${V()}\n\t\t\t\n\t\t\t\n\t\t\t\t1\n\t\t\t\n\t\t`;\n}, or = function(e) {\n return `\n\n\t\n\t\t\n\t\t\t\n\t\t\t\t${V()}\n\t\t\t\n\t\t\n\t\t\n\t\t\t\n\t\t\t\t/files/${A()?.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`;\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 be = function(e = \"\") {\n let t = N.NONE;\n return e && ((e.includes(\"C\") || e.includes(\"K\")) && (t |= N.CREATE), e.includes(\"G\") && (t |= N.READ), (e.includes(\"W\") || e.includes(\"N\") || e.includes(\"V\")) && (t |= N.UPDATE), e.includes(\"D\") && (t |= N.DELETE), e.includes(\"R\") && (t |= N.SHARE)), t;\n};\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ \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 R = /* @__PURE__ */ ((e) => (e.Folder = \"folder\", e.File = \"file\", e))(R || {});\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 J = function(e, t) {\n return e.match(t) !== null;\n}, X = (e, t) => {\n if (e.id && typeof e.id != \"number\")\n throw new Error(\"Invalid id type of value\");\n if (!e.source)\n throw new Error(\"Missing mandatory source\");\n try {\n new URL(e.source);\n } catch {\n throw new Error(\"Invalid source format, source must be a valid URL\");\n }\n if (!e.source.startsWith(\"http\"))\n throw new Error(\"Invalid source format, only http(s) is supported\");\n if (e.mtime && !(e.mtime instanceof Date))\n throw new Error(\"Invalid mtime type\");\n if (e.crtime && !(e.crtime instanceof Date))\n throw new Error(\"Invalid crtime type\");\n if (!e.mime || typeof e.mime != \"string\" || !e.mime.match(/^[-\\w.]+\\/[-+\\w.]+$/gi))\n throw new Error(\"Missing or invalid mandatory mime\");\n if (\"size\" in e && typeof e.size != \"number\" && e.size !== void 0)\n throw new Error(\"Invalid size type\");\n if (\"permissions\" in e && e.permissions !== void 0 && !(typeof e.permissions == \"number\" && e.permissions >= N.NONE && e.permissions <= N.ALL))\n throw new Error(\"Invalid permissions\");\n if (e.owner && e.owner !== null && typeof e.owner != \"string\")\n throw new Error(\"Invalid owner type\");\n if (e.attributes && typeof e.attributes != \"object\")\n throw new Error(\"Invalid attributes type\");\n if (e.root && typeof e.root != \"string\")\n throw new Error(\"Invalid root type\");\n if (e.root && !e.root.startsWith(\"/\"))\n throw new Error(\"Root must start with a leading slash\");\n if (e.root && !e.source.includes(e.root))\n throw new Error(\"Root must be part of the source\");\n if (e.root && J(e.source, t)) {\n const r = e.source.match(t)[0];\n if (!e.source.includes(le(r, e.root)))\n throw new Error(\"The root must be relative to the service. e.g /files/emma\");\n }\n if (e.status && !Object.values(Q).includes(e.status))\n throw new Error(\"Status must be a valid NodeStatus\");\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 Q = /* @__PURE__ */ ((e) => (e.NEW = \"new\", e.FAILED = \"failed\", e.LOADING = \"loading\", e.LOCKED = \"locked\", e))(Q || {});\nclass D {\n _data;\n _attributes;\n _knownDavService = /(remote|public)\\.php\\/(web)?dav/i;\n constructor(t, r) {\n X(t, r || this._knownDavService), this._data = t;\n const s = {\n // eslint-disable-next-line @typescript-eslint/no-explicit-any\n set: (n, i, d) => (this.updateMtime(), Reflect.set(n, i, d)),\n deleteProperty: (n, i) => (this.updateMtime(), Reflect.deleteProperty(n, i))\n // eslint-disable-next-line @typescript-eslint/no-explicit-any\n };\n this._attributes = new Proxy(t.attributes || {}, s), delete this._data.attributes, r && (this._knownDavService = r);\n }\n /**\n * Get the source url to this object\n */\n get source() {\n return this._data.source.replace(/\\/$/i, \"\");\n }\n /**\n * Get the encoded source url to this object for requests purposes\n */\n get encodedSource() {\n const { origin: t } = new URL(this.source);\n return t + he(this.source.slice(t.length));\n }\n /**\n * Get this object name\n */\n get basename() {\n return fe(this.source);\n }\n /**\n * Get this object's extension\n */\n get extension() {\n return ce(this.source);\n }\n /**\n * Get the directory path leading to this object\n * Will use the relative path to root if available\n */\n get dirname() {\n if (this.root) {\n let r = this.source;\n this.isDavRessource && (r = r.split(this._knownDavService).pop());\n const s = r.indexOf(this.root), n = this.root.replace(/\\/$/, \"\");\n return I(r.slice(s + n.length) || \"/\");\n }\n const t = new URL(this.source);\n return I(t.pathname);\n }\n /**\n * Get the file mime\n */\n get mime() {\n return this._data.mime;\n }\n /**\n * Get the file modification time\n */\n get mtime() {\n return this._data.mtime;\n }\n /**\n * Get the file creation time\n */\n get crtime() {\n return this._data.crtime;\n }\n /**\n * Get the file size\n */\n get size() {\n return this._data.size;\n }\n /**\n * Get the file attribute\n */\n get attributes() {\n return this._attributes;\n }\n /**\n * Get the file permissions\n */\n get permissions() {\n return this.owner === null && !this.isDavRessource ? N.READ : this._data.permissions !== void 0 ? this._data.permissions : N.NONE;\n }\n /**\n * Get the file owner\n */\n get owner() {\n return this.isDavRessource ? this._data.owner : null;\n }\n /**\n * Is this a dav-related ressource ?\n */\n get isDavRessource() {\n return J(this.source, this._knownDavService);\n }\n /**\n * Get the dav root of this object\n */\n get root() {\n return this._data.root ? this._data.root.replace(/^(.+)\\/$/, \"$1\") : this.isDavRessource && I(this.source).split(this._knownDavService).pop() || null;\n }\n /**\n * Get the absolute path of this object relative to the root\n */\n get path() {\n if (this.root) {\n let t = this.source;\n this.isDavRessource && (t = t.split(this._knownDavService).pop());\n const r = t.indexOf(this.root), s = this.root.replace(/\\/$/, \"\");\n return t.slice(r + s.length) || \"/\";\n }\n return (this.dirname + \"/\" + this.basename).replace(/\\/\\//g, \"/\");\n }\n /**\n * Get the node id if defined.\n * Will look for the fileid in attributes if undefined.\n */\n get fileid() {\n return this._data?.id || this.attributes?.fileid;\n }\n /**\n * Get the node status.\n */\n get status() {\n return this._data?.status;\n }\n /**\n * Set the node status.\n */\n set status(t) {\n this._data.status = t;\n }\n /**\n * Move the node to a new destination\n *\n * @param {string} destination the new source.\n * e.g. https://cloud.domain.com/remote.php/dav/files/emma/Photos/picture.jpg\n */\n move(t) {\n X({ ...this._data, source: t }, this._knownDavService), this._data.source = t, this.updateMtime();\n }\n /**\n * Rename the node\n * This aliases the move method for easier usage\n *\n * @param basename The new name of the node\n */\n rename(t) {\n if (t.includes(\"/\"))\n throw new Error(\"Invalid basename\");\n this.move(I(this.source) + \"/\" + t);\n }\n /**\n * Update the mtime if exists.\n */\n updateMtime() {\n this._data.mtime && (this._data.mtime = /* @__PURE__ */ new Date());\n }\n}\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ \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 ye extends D {\n get type() {\n return R.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 _e extends D {\n constructor(t) {\n super({\n ...t,\n mime: \"httpd/unix-directory\"\n });\n }\n get type() {\n return R.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 ee = `/files/${A()?.uid}`, te = pe(\"dav\"), ur = function(e = te, t = {}) {\n const r = ge(e, { headers: t });\n function s(i) {\n r.setHeaders({\n ...t,\n // Add this so the server knows it is an request from the browser\n \"X-Requested-With\": \"XMLHttpRequest\",\n // Inject user auth\n requesttoken: i ?? \"\"\n });\n }\n return ue(s), s(de()), we().patch(\"fetch\", (i, d) => {\n const u = d.headers;\n return u?.method && (d.method = u.method, delete u.method), fetch(i, d);\n }), r;\n}, dr = async (e, t = \"/\", r = ee) => (await e.getDirectoryContents(`${r}${t}`, {\n details: !0,\n data: Ee(),\n headers: {\n // see davGetClient for patched webdav client\n method: \"REPORT\"\n },\n includeSelf: !0\n})).data.filter((n) => n.filename !== t).map((n) => ve(n, r)), ve = function(e, t = ee, r = te) {\n const s = e.props, n = be(s?.permissions), i = s?.[\"owner-id\"] || A()?.uid, d = {\n id: s?.fileid || 0,\n source: `${r}${e.filename}`,\n mtime: new Date(Date.parse(e.lastmod)),\n mime: e.mime,\n size: s?.size || Number.parseInt(s.getcontentlength || \"0\"),\n permissions: n,\n owner: i,\n root: t,\n attributes: {\n ...e,\n ...s,\n hasPreview: s?.[\"has-preview\"]\n }\n };\n return delete d.attributes?.props, e.type === \"file\" ? new ye(d) : new _e(d);\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 Te {\n _views = [];\n _currentView = null;\n register(t) {\n if (this._views.find((r) => r.id === t.id))\n throw new Error(`View id ${t.id} is already registered`);\n this._views.push(t);\n }\n remove(t) {\n const r = this._views.findIndex((s) => s.id === t);\n r !== -1 && this._views.splice(r, 1);\n }\n get views() {\n return this._views;\n }\n setActive(t) {\n this._currentView = t;\n }\n get active() {\n return this._currentView;\n }\n}\nconst ar = function() {\n return typeof window._nc_navigation > \"u\" && (window._nc_navigation = new Te(), m.debug(\"Navigation service initialized\")), window._nc_navigation;\n};\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ \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 Ie {\n _column;\n constructor(t) {\n Ae(t), this._column = t;\n }\n get id() {\n return this._column.id;\n }\n get title() {\n return this._column.title;\n }\n get render() {\n return this._column.render;\n }\n get sort() {\n return this._column.sort;\n }\n get summary() {\n return this._column.summary;\n }\n}\nconst Ae = function(e) {\n if (!e.id || typeof e.id != \"string\")\n throw new Error(\"A column id is required\");\n if (!e.title || typeof e.title != \"string\")\n throw new Error(\"A column title is required\");\n if (!e.render || typeof e.render != \"function\")\n throw new Error(\"A render function is required\");\n if (e.sort && typeof e.sort != \"function\")\n throw new Error(\"Column sortFunction must be a function\");\n if (e.summary && typeof e.summary != \"function\")\n throw new Error(\"Column summary must be a function\");\n return !0;\n};\nvar S = {}, O = {};\n(function(e) {\n const t = \":A-Za-z_\\\\u00C0-\\\\u00D6\\\\u00D8-\\\\u00F6\\\\u00F8-\\\\u02FF\\\\u0370-\\\\u037D\\\\u037F-\\\\u1FFF\\\\u200C-\\\\u200D\\\\u2070-\\\\u218F\\\\u2C00-\\\\u2FEF\\\\u3001-\\\\uD7FF\\\\uF900-\\\\uFDCF\\\\uFDF0-\\\\uFFFD\", r = t + \"\\\\-.\\\\d\\\\u00B7\\\\u0300-\\\\u036F\\\\u203F-\\\\u2040\", s = \"[\" + t + \"][\" + r + \"]*\", n = new RegExp(\"^\" + s + \"$\"), i = function(u, o) {\n const a = [];\n let l = o.exec(u);\n for (; l; ) {\n const f = [];\n f.startIndex = o.lastIndex - l[0].length;\n const c = l.length;\n for (let g = 0; g < c; g++)\n f.push(l[g]);\n a.push(f), l = o.exec(u);\n }\n return a;\n }, d = function(u) {\n const o = n.exec(u);\n return !(o === null || typeof o > \"u\");\n };\n e.isExist = function(u) {\n return typeof u < \"u\";\n }, e.isEmptyObject = function(u) {\n return Object.keys(u).length === 0;\n }, e.merge = function(u, o, a) {\n if (o) {\n const l = Object.keys(o), f = l.length;\n for (let c = 0; c < f; c++)\n a === \"strict\" ? u[l[c]] = [o[l[c]]] : u[l[c]] = o[l[c]];\n }\n }, e.getValue = function(u) {\n return e.isExist(u) ? u : \"\";\n }, e.isName = d, e.getAllMatches = i, e.nameRegexp = s;\n})(O);\nconst M = O, Oe = {\n allowBooleanAttributes: !1,\n //A tag can have attributes without any value\n unpairedTags: []\n};\nS.validate = function(e, t) {\n t = Object.assign({}, Oe, t);\n const r = [];\n let s = !1, n = !1;\n e[0] === \"\\uFEFF\" && (e = e.substr(1));\n for (let i = 0; i < e.length; i++)\n if (e[i] === \"<\" && e[i + 1] === \"?\") {\n if (i += 2, i = G(e, i), i.err)\n return i;\n } else if (e[i] === \"<\") {\n let d = i;\n if (i++, e[i] === \"!\") {\n i = z(e, i);\n continue;\n } else {\n let u = !1;\n e[i] === \"/\" && (u = !0, i++);\n let o = \"\";\n for (; i < e.length && e[i] !== \">\" && e[i] !== \" \" && e[i] !== \"\t\" && e[i] !== `\n` && e[i] !== \"\\r\"; i++)\n o += e[i];\n if (o = o.trim(), o[o.length - 1] === \"/\" && (o = o.substring(0, o.length - 1), i--), !Re(o)) {\n let f;\n return o.trim().length === 0 ? f = \"Invalid space after '<'.\" : f = \"Tag '\" + o + \"' is an invalid name.\", p(\"InvalidTag\", f, w(e, i));\n }\n const a = xe(e, i);\n if (a === !1)\n return p(\"InvalidAttr\", \"Attributes for '\" + o + \"' have open quote.\", w(e, i));\n let l = a.value;\n if (i = a.index, l[l.length - 1] === \"/\") {\n const f = i - l.length;\n l = l.substring(0, l.length - 1);\n const c = H(l, t);\n if (c === !0)\n s = !0;\n else\n return p(c.err.code, c.err.msg, w(e, f + c.err.line));\n } else if (u)\n if (a.tagClosed) {\n if (l.trim().length > 0)\n return p(\"InvalidTag\", \"Closing tag '\" + o + \"' can't have attributes or invalid starting.\", w(e, d));\n {\n const f = r.pop();\n if (o !== f.tagName) {\n let c = w(e, f.tagStartPos);\n return p(\n \"InvalidTag\",\n \"Expected closing tag '\" + f.tagName + \"' (opened in line \" + c.line + \", col \" + c.col + \") instead of closing tag '\" + o + \"'.\",\n w(e, d)\n );\n }\n r.length == 0 && (n = !0);\n }\n } else\n return p(\"InvalidTag\", \"Closing tag '\" + o + \"' doesn't have proper closing.\", w(e, i));\n else {\n const f = H(l, t);\n if (f !== !0)\n return p(f.err.code, f.err.msg, w(e, i - l.length + f.err.line));\n if (n === !0)\n return p(\"InvalidXml\", \"Multiple possible root nodes found.\", w(e, i));\n t.unpairedTags.indexOf(o) !== -1 || r.push({ tagName: o, tagStartPos: d }), s = !0;\n }\n for (i++; i < e.length; i++)\n if (e[i] === \"<\")\n if (e[i + 1] === \"!\") {\n i++, i = z(e, i);\n continue;\n } else if (e[i + 1] === \"?\") {\n if (i = G(e, ++i), i.err)\n return i;\n } else\n break;\n else if (e[i] === \"&\") {\n const f = Ve(e, i);\n if (f == -1)\n return p(\"InvalidChar\", \"char '&' is not expected.\", w(e, i));\n i = f;\n } else if (n === !0 && !U(e[i]))\n return p(\"InvalidXml\", \"Extra text at the end\", w(e, i));\n e[i] === \"<\" && i--;\n }\n } else {\n if (U(e[i]))\n continue;\n return p(\"InvalidChar\", \"char '\" + e[i] + \"' is not expected.\", w(e, i));\n }\n if (s) {\n if (r.length == 1)\n return p(\"InvalidTag\", \"Unclosed tag '\" + r[0].tagName + \"'.\", w(e, r[0].tagStartPos));\n if (r.length > 0)\n return p(\"InvalidXml\", \"Invalid '\" + JSON.stringify(r.map((i) => i.tagName), null, 4).replace(/\\r?\\n/g, \"\") + \"' found.\", { line: 1, col: 1 });\n } else\n return p(\"InvalidXml\", \"Start tag expected.\", 1);\n return !0;\n};\nfunction U(e) {\n return e === \" \" || e === \"\t\" || e === `\n` || e === \"\\r\";\n}\nfunction G(e, t) {\n const r = t;\n for (; t < e.length; t++)\n if (e[t] == \"?\" || e[t] == \" \") {\n const s = e.substr(r, t - r);\n if (t > 5 && s === \"xml\")\n return p(\"InvalidXml\", \"XML declaration allowed only at the start of the document.\", w(e, t));\n if (e[t] == \"?\" && e[t + 1] == \">\") {\n t++;\n break;\n } else\n continue;\n }\n return t;\n}\nfunction z(e, t) {\n if (e.length > t + 5 && e[t + 1] === \"-\" && e[t + 2] === \"-\") {\n for (t += 3; t < e.length; t++)\n if (e[t] === \"-\" && e[t + 1] === \"-\" && e[t + 2] === \">\") {\n t += 2;\n break;\n }\n } else if (e.length > t + 8 && e[t + 1] === \"D\" && e[t + 2] === \"O\" && e[t + 3] === \"C\" && e[t + 4] === \"T\" && e[t + 5] === \"Y\" && e[t + 6] === \"P\" && e[t + 7] === \"E\") {\n let r = 1;\n for (t += 8; t < e.length; t++)\n if (e[t] === \"<\")\n r++;\n else if (e[t] === \">\" && (r--, r === 0))\n break;\n } else if (e.length > t + 9 && e[t + 1] === \"[\" && e[t + 2] === \"C\" && e[t + 3] === \"D\" && e[t + 4] === \"A\" && e[t + 5] === \"T\" && e[t + 6] === \"A\" && e[t + 7] === \"[\") {\n for (t += 8; t < e.length; t++)\n if (e[t] === \"]\" && e[t + 1] === \"]\" && e[t + 2] === \">\") {\n t += 2;\n break;\n }\n }\n return t;\n}\nconst Ce = '\"', Pe = \"'\";\nfunction xe(e, t) {\n let r = \"\", s = \"\", n = !1;\n for (; t < e.length; t++) {\n if (e[t] === Ce || e[t] === Pe)\n s === \"\" ? s = e[t] : s !== e[t] || (s = \"\");\n else if (e[t] === \">\" && s === \"\") {\n n = !0;\n break;\n }\n r += e[t];\n }\n return s !== \"\" ? !1 : {\n value: r,\n index: t,\n tagClosed: n\n };\n}\nconst $e = new RegExp(`(\\\\s*)([^\\\\s=]+)(\\\\s*=)?(\\\\s*(['\"])(([\\\\s\\\\S])*?)\\\\5)?`, \"g\");\nfunction H(e, t) {\n const r = M.getAllMatches(e, $e), s = {};\n for (let n = 0; n < r.length; n++) {\n if (r[n][1].length === 0)\n return p(\"InvalidAttr\", \"Attribute '\" + r[n][2] + \"' has no space in starting.\", v(r[n]));\n if (r[n][3] !== void 0 && r[n][4] === void 0)\n return p(\"InvalidAttr\", \"Attribute '\" + r[n][2] + \"' is without value.\", v(r[n]));\n if (r[n][3] === void 0 && !t.allowBooleanAttributes)\n return p(\"InvalidAttr\", \"boolean attribute '\" + r[n][2] + \"' is not allowed.\", v(r[n]));\n const i = r[n][2];\n if (!Le(i))\n return p(\"InvalidAttr\", \"Attribute '\" + i + \"' is an invalid name.\", v(r[n]));\n if (!s.hasOwnProperty(i))\n s[i] = 1;\n else\n return p(\"InvalidAttr\", \"Attribute '\" + i + \"' is repeated.\", v(r[n]));\n }\n return !0;\n}\nfunction Fe(e, t) {\n let r = /\\d/;\n for (e[t] === \"x\" && (t++, r = /[\\da-fA-F]/); t < e.length; t++) {\n if (e[t] === \";\")\n return t;\n if (!e[t].match(r))\n break;\n }\n return -1;\n}\nfunction Ve(e, t) {\n if (t++, e[t] === \";\")\n return -1;\n if (e[t] === \"#\")\n return t++, Fe(e, t);\n let r = 0;\n for (; t < e.length; t++, r++)\n if (!(e[t].match(/\\w/) && r < 20)) {\n if (e[t] === \";\")\n break;\n return -1;\n }\n return t;\n}\nfunction p(e, t, r) {\n return {\n err: {\n code: e,\n msg: t,\n line: r.line || r,\n col: r.col\n }\n };\n}\nfunction Le(e) {\n return M.isName(e);\n}\nfunction Re(e) {\n return M.isName(e);\n}\nfunction w(e, t) {\n const r = e.substring(0, t).split(/\\r?\\n/);\n return {\n line: r.length,\n // column number is last line's length + 1, because column numbering starts at 1:\n col: r[r.length - 1].length + 1\n };\n}\nfunction v(e) {\n return e.startIndex + e[1].length;\n}\nvar k = {};\nconst re = {\n preserveOrder: !1,\n attributeNamePrefix: \"@_\",\n attributesGroupName: !1,\n textNodeName: \"#text\",\n ignoreAttributes: !0,\n removeNSPrefix: !1,\n // remove NS from tag name or attribute name if true\n allowBooleanAttributes: !1,\n //a tag can have attributes without any value\n //ignoreRootElement : false,\n parseTagValue: !0,\n parseAttributeValue: !1,\n trimValues: !0,\n //Trim string values of tag and attributes\n cdataPropName: !1,\n numberParseOptions: {\n hex: !0,\n leadingZeros: !0,\n eNotation: !0\n },\n tagValueProcessor: function(e, t) {\n return t;\n },\n attributeValueProcessor: function(e, t) {\n return t;\n },\n stopNodes: [],\n //nested tags will not be parsed even for errors\n alwaysCreateTextNode: !1,\n isArray: () => !1,\n commentPropName: !1,\n unpairedTags: [],\n processEntities: !0,\n htmlEntities: !1,\n ignoreDeclaration: !1,\n ignorePiTags: !1,\n transformTagName: !1,\n transformAttributeName: !1,\n updateTag: function(e, t, r) {\n return e;\n }\n // skipEmptyListItem: false\n}, Se = function(e) {\n return Object.assign({}, re, e);\n};\nk.buildOptions = Se;\nk.defaultOptions = re;\nclass Me {\n constructor(t) {\n this.tagname = t, this.child = [], this[\":@\"] = {};\n }\n add(t, r) {\n t === \"__proto__\" && (t = \"#__proto__\"), this.child.push({ [t]: r });\n }\n addChild(t) {\n t.tagname === \"__proto__\" && (t.tagname = \"#__proto__\"), t[\":@\"] && Object.keys(t[\":@\"]).length > 0 ? this.child.push({ [t.tagname]: t.child, \":@\": t[\":@\"] }) : this.child.push({ [t.tagname]: t.child });\n }\n}\nvar ke = Me;\nconst Be = O;\nfunction qe(e, t) {\n const r = {};\n if (e[t + 3] === \"O\" && e[t + 4] === \"C\" && e[t + 5] === \"T\" && e[t + 6] === \"Y\" && e[t + 7] === \"P\" && e[t + 8] === \"E\") {\n t = t + 9;\n let s = 1, n = !1, i = !1, d = \"\";\n for (; t < e.length; t++)\n if (e[t] === \"<\" && !i) {\n if (n && Ge(e, t))\n t += 7, [entityName, val, t] = Xe(e, t + 1), val.indexOf(\"&\") === -1 && (r[We(entityName)] = {\n regx: RegExp(`&${entityName};`, \"g\"),\n val\n });\n else if (n && ze(e, t))\n t += 8;\n else if (n && He(e, t))\n t += 8;\n else if (n && Ke(e, t))\n t += 9;\n else if (Ue)\n i = !0;\n else\n throw new Error(\"Invalid DOCTYPE\");\n s++, d = \"\";\n } else if (e[t] === \">\") {\n if (i ? e[t - 1] === \"-\" && e[t - 2] === \"-\" && (i = !1, s--) : s--, s === 0)\n break;\n } else\n e[t] === \"[\" ? n = !0 : d += e[t];\n if (s !== 0)\n throw new Error(\"Unclosed DOCTYPE\");\n } else\n throw new Error(\"Invalid Tag instead of DOCTYPE\");\n return { entities: r, i: t };\n}\nfunction Xe(e, t) {\n let r = \"\";\n for (; t < e.length && e[t] !== \"'\" && e[t] !== '\"'; t++)\n r += e[t];\n if (r = r.trim(), r.indexOf(\" \") !== -1)\n throw new Error(\"External entites are not supported\");\n const s = e[t++];\n let n = \"\";\n for (; t < e.length && e[t] !== s; t++)\n n += e[t];\n return [r, n, t];\n}\nfunction Ue(e, t) {\n return e[t + 1] === \"!\" && e[t + 2] === \"-\" && e[t + 3] === \"-\";\n}\nfunction Ge(e, t) {\n return e[t + 1] === \"!\" && e[t + 2] === \"E\" && e[t + 3] === \"N\" && e[t + 4] === \"T\" && e[t + 5] === \"I\" && e[t + 6] === \"T\" && e[t + 7] === \"Y\";\n}\nfunction ze(e, t) {\n return e[t + 1] === \"!\" && e[t + 2] === \"E\" && e[t + 3] === \"L\" && e[t + 4] === \"E\" && e[t + 5] === \"M\" && e[t + 6] === \"E\" && e[t + 7] === \"N\" && e[t + 8] === \"T\";\n}\nfunction He(e, t) {\n return e[t + 1] === \"!\" && e[t + 2] === \"A\" && e[t + 3] === \"T\" && e[t + 4] === \"T\" && e[t + 5] === \"L\" && e[t + 6] === \"I\" && e[t + 7] === \"S\" && e[t + 8] === \"T\";\n}\nfunction Ke(e, t) {\n return e[t + 1] === \"!\" && e[t + 2] === \"N\" && e[t + 3] === \"O\" && e[t + 4] === \"T\" && e[t + 5] === \"A\" && e[t + 6] === \"T\" && e[t + 7] === \"I\" && e[t + 8] === \"O\" && e[t + 9] === \"N\";\n}\nfunction We(e) {\n if (Be.isName(e))\n return e;\n throw new Error(`Invalid entity name ${e}`);\n}\nvar Ze = qe;\nconst je = /^[-+]?0x[a-fA-F0-9]+$/, Ye = /^([\\-\\+])?(0*)(\\.[0-9]+([eE]\\-?[0-9]+)?|[0-9]+(\\.[0-9]+([eE]\\-?[0-9]+)?)?)$/;\n!Number.parseInt && window.parseInt && (Number.parseInt = window.parseInt);\n!Number.parseFloat && window.parseFloat && (Number.parseFloat = window.parseFloat);\nconst Je = {\n hex: !0,\n leadingZeros: !0,\n decimalPoint: \".\",\n eNotation: !0\n //skipLike: /regex/\n};\nfunction Qe(e, t = {}) {\n if (t = Object.assign({}, Je, t), !e || typeof e != \"string\")\n return e;\n let r = e.trim();\n if (t.skipLike !== void 0 && t.skipLike.test(r))\n return e;\n if (t.hex && je.test(r))\n return Number.parseInt(r, 16);\n {\n const s = Ye.exec(r);\n if (s) {\n const n = s[1], i = s[2];\n let d = De(s[3]);\n const u = s[4] || s[6];\n if (!t.leadingZeros && i.length > 0 && n && r[2] !== \".\")\n return e;\n if (!t.leadingZeros && i.length > 0 && !n && r[1] !== \".\")\n return e;\n {\n const o = Number(r), a = \"\" + o;\n return a.search(/[eE]/) !== -1 || u ? t.eNotation ? o : e : r.indexOf(\".\") !== -1 ? a === \"0\" && d === \"\" || a === d || n && a === \"-\" + d ? o : e : i ? d === a || n + d === a ? o : e : r === a || r === n + a ? o : e;\n }\n } else\n return e;\n }\n}\nfunction De(e) {\n return e && e.indexOf(\".\") !== -1 && (e = e.replace(/0+$/, \"\"), e === \".\" ? e = \"0\" : e[0] === \".\" ? e = \"0\" + e : e[e.length - 1] === \".\" && (e = e.substr(0, e.length - 1))), e;\n}\nvar et = Qe;\nconst B = O, T = ke, tt = Ze, rt = et;\n\"<((!\\\\[CDATA\\\\[([\\\\s\\\\S]*?)(]]>))|((NAME:)?(NAME))([^>]*)>|((\\\\/)(NAME)\\\\s*>))([^<]*)\".replace(/NAME/g, B.nameRegexp);\nlet nt = class {\n constructor(t) {\n this.options = t, this.currentNode = null, this.tagsNodeStack = [], this.docTypeEntities = {}, this.lastEntities = {\n apos: { regex: /&(apos|#39|#x27);/g, val: \"'\" },\n gt: { regex: /&(gt|#62|#x3E);/g, val: \">\" },\n lt: { regex: /&(lt|#60|#x3C);/g, val: \"<\" },\n quot: { regex: /&(quot|#34|#x22);/g, val: '\"' }\n }, this.ampEntity = { regex: /&(amp|#38|#x26);/g, val: \"&\" }, this.htmlEntities = {\n space: { regex: /&(nbsp|#160);/g, val: \" \" },\n // \"lt\" : { regex: /&(lt|#60);/g, val: \"<\" },\n // \"gt\" : { regex: /&(gt|#62);/g, val: \">\" },\n // \"amp\" : { regex: /&(amp|#38);/g, val: \"&\" },\n // \"quot\" : { regex: /&(quot|#34);/g, val: \"\\\"\" },\n // \"apos\" : { regex: /&(apos|#39);/g, val: \"'\" },\n cent: { regex: /&(cent|#162);/g, val: \"¢\" },\n pound: { regex: /&(pound|#163);/g, val: \"£\" },\n yen: { regex: /&(yen|#165);/g, val: \"¥\" },\n euro: { regex: /&(euro|#8364);/g, val: \"€\" },\n copyright: { regex: /&(copy|#169);/g, val: \"©\" },\n reg: { regex: /&(reg|#174);/g, val: \"®\" },\n inr: { regex: /&(inr|#8377);/g, val: \"₹\" }\n }, this.addExternalEntities = it, this.parseXml = at, this.parseTextData = st, this.resolveNameSpace = ot, this.buildAttributesMap = dt, this.isItStopNode = ht, this.replaceEntitiesValue = ft, this.readStopNodeData = gt, this.saveTextToParentTag = ct, this.addChild = lt;\n }\n};\nfunction it(e) {\n const t = Object.keys(e);\n for (let r = 0; r < t.length; r++) {\n const s = t[r];\n this.lastEntities[s] = {\n regex: new RegExp(\"&\" + s + \";\", \"g\"),\n val: e[s]\n };\n }\n}\nfunction st(e, t, r, s, n, i, d) {\n if (e !== void 0 && (this.options.trimValues && !s && (e = e.trim()), e.length > 0)) {\n d || (e = this.replaceEntitiesValue(e));\n const u = this.options.tagValueProcessor(t, e, r, n, i);\n return u == null ? e : typeof u != typeof e || u !== e ? u : this.options.trimValues ? $(e, this.options.parseTagValue, this.options.numberParseOptions) : e.trim() === e ? $(e, this.options.parseTagValue, this.options.numberParseOptions) : e;\n }\n}\nfunction ot(e) {\n if (this.options.removeNSPrefix) {\n const t = e.split(\":\"), r = e.charAt(0) === \"/\" ? \"/\" : \"\";\n if (t[0] === \"xmlns\")\n return \"\";\n t.length === 2 && (e = r + t[1]);\n }\n return e;\n}\nconst ut = new RegExp(`([^\\\\s=]+)\\\\s*(=\\\\s*(['\"])([\\\\s\\\\S]*?)\\\\3)?`, \"gm\");\nfunction dt(e, t, r) {\n if (!this.options.ignoreAttributes && typeof e == \"string\") {\n const s = B.getAllMatches(e, ut), n = s.length, i = {};\n for (let d = 0; d < n; d++) {\n const u = this.resolveNameSpace(s[d][1]);\n let o = s[d][4], a = this.options.attributeNamePrefix + u;\n if (u.length)\n if (this.options.transformAttributeName && (a = this.options.transformAttributeName(a)), a === \"__proto__\" && (a = \"#__proto__\"), o !== void 0) {\n this.options.trimValues && (o = o.trim()), o = this.replaceEntitiesValue(o);\n const l = this.options.attributeValueProcessor(u, o, t);\n l == null ? i[a] = o : typeof l != typeof o || l !== o ? i[a] = l : i[a] = $(\n o,\n this.options.parseAttributeValue,\n this.options.numberParseOptions\n );\n } else\n this.options.allowBooleanAttributes && (i[a] = !0);\n }\n if (!Object.keys(i).length)\n return;\n if (this.options.attributesGroupName) {\n const d = {};\n return d[this.options.attributesGroupName] = i, d;\n }\n return i;\n }\n}\nconst at = function(e) {\n e = e.replace(/\\r\\n?/g, `\n`);\n const t = new T(\"!xml\");\n let r = t, s = \"\", n = \"\";\n for (let i = 0; i < e.length; i++)\n if (e[i] === \"<\")\n if (e[i + 1] === \"/\") {\n const u = y(e, \">\", i, \"Closing Tag is not closed.\");\n let o = e.substring(i + 2, u).trim();\n if (this.options.removeNSPrefix) {\n const f = o.indexOf(\":\");\n f !== -1 && (o = o.substr(f + 1));\n }\n this.options.transformTagName && (o = this.options.transformTagName(o)), r && (s = this.saveTextToParentTag(s, r, n));\n const a = n.substring(n.lastIndexOf(\".\") + 1);\n if (o && this.options.unpairedTags.indexOf(o) !== -1)\n throw new Error(`Unpaired tag can not be used as closing tag: `);\n let l = 0;\n a && this.options.unpairedTags.indexOf(a) !== -1 ? (l = n.lastIndexOf(\".\", n.lastIndexOf(\".\") - 1), this.tagsNodeStack.pop()) : l = n.lastIndexOf(\".\"), n = n.substring(0, l), r = this.tagsNodeStack.pop(), s = \"\", i = u;\n } else if (e[i + 1] === \"?\") {\n let u = x(e, i, !1, \"?>\");\n if (!u)\n throw new Error(\"Pi Tag is not closed.\");\n if (s = this.saveTextToParentTag(s, r, n), !(this.options.ignoreDeclaration && u.tagName === \"?xml\" || this.options.ignorePiTags)) {\n const o = new T(u.tagName);\n o.add(this.options.textNodeName, \"\"), u.tagName !== u.tagExp && u.attrExpPresent && (o[\":@\"] = this.buildAttributesMap(u.tagExp, n, u.tagName)), this.addChild(r, o, n);\n }\n i = u.closeIndex + 1;\n } else if (e.substr(i + 1, 3) === \"!--\") {\n const u = y(e, \"-->\", i + 4, \"Comment is not closed.\");\n if (this.options.commentPropName) {\n const o = e.substring(i + 4, u - 2);\n s = this.saveTextToParentTag(s, r, n), r.add(this.options.commentPropName, [{ [this.options.textNodeName]: o }]);\n }\n i = u;\n } else if (e.substr(i + 1, 2) === \"!D\") {\n const u = tt(e, i);\n this.docTypeEntities = u.entities, i = u.i;\n } else if (e.substr(i + 1, 2) === \"![\") {\n const u = y(e, \"]]>\", i, \"CDATA is not closed.\") - 2, o = e.substring(i + 9, u);\n if (s = this.saveTextToParentTag(s, r, n), this.options.cdataPropName)\n r.add(this.options.cdataPropName, [{ [this.options.textNodeName]: o }]);\n else {\n let a = this.parseTextData(o, r.tagname, n, !0, !1, !0);\n a == null && (a = \"\"), r.add(this.options.textNodeName, a);\n }\n i = u + 2;\n } else {\n let u = x(e, i, this.options.removeNSPrefix), o = u.tagName;\n const a = u.rawTagName;\n let l = u.tagExp, f = u.attrExpPresent, c = u.closeIndex;\n this.options.transformTagName && (o = this.options.transformTagName(o)), r && s && r.tagname !== \"!xml\" && (s = this.saveTextToParentTag(s, r, n, !1));\n const g = r;\n if (g && this.options.unpairedTags.indexOf(g.tagname) !== -1 && (r = this.tagsNodeStack.pop(), n = n.substring(0, n.lastIndexOf(\".\"))), o !== t.tagname && (n += n ? \".\" + o : o), this.isItStopNode(this.options.stopNodes, n, o)) {\n let h = \"\";\n if (l.length > 0 && l.lastIndexOf(\"/\") === l.length - 1)\n i = u.closeIndex;\n else if (this.options.unpairedTags.indexOf(o) !== -1)\n i = u.closeIndex;\n else {\n const E = this.readStopNodeData(e, a, c + 1);\n if (!E)\n throw new Error(`Unexpected end of ${a}`);\n i = E.i, h = E.tagContent;\n }\n const _ = new T(o);\n o !== l && f && (_[\":@\"] = this.buildAttributesMap(l, n, o)), h && (h = this.parseTextData(h, o, n, !0, f, !0, !0)), n = n.substr(0, n.lastIndexOf(\".\")), _.add(this.options.textNodeName, h), this.addChild(r, _, n);\n } else {\n if (l.length > 0 && l.lastIndexOf(\"/\") === l.length - 1) {\n o[o.length - 1] === \"/\" ? (o = o.substr(0, o.length - 1), n = n.substr(0, n.length - 1), l = o) : l = l.substr(0, l.length - 1), this.options.transformTagName && (o = this.options.transformTagName(o));\n const h = new T(o);\n o !== l && f && (h[\":@\"] = this.buildAttributesMap(l, n, o)), this.addChild(r, h, n), n = n.substr(0, n.lastIndexOf(\".\"));\n } else {\n const h = new T(o);\n this.tagsNodeStack.push(r), o !== l && f && (h[\":@\"] = this.buildAttributesMap(l, n, o)), this.addChild(r, h, n), r = h;\n }\n s = \"\", i = c;\n }\n }\n else\n s += e[i];\n return t.child;\n};\nfunction lt(e, t, r) {\n const s = this.options.updateTag(t.tagname, r, t[\":@\"]);\n s === !1 || (typeof s == \"string\" && (t.tagname = s), e.addChild(t));\n}\nconst ft = function(e) {\n if (this.options.processEntities) {\n for (let t in this.docTypeEntities) {\n const r = this.docTypeEntities[t];\n e = e.replace(r.regx, r.val);\n }\n for (let t in this.lastEntities) {\n const r = this.lastEntities[t];\n e = e.replace(r.regex, r.val);\n }\n if (this.options.htmlEntities)\n for (let t in this.htmlEntities) {\n const r = this.htmlEntities[t];\n e = e.replace(r.regex, r.val);\n }\n e = e.replace(this.ampEntity.regex, this.ampEntity.val);\n }\n return e;\n};\nfunction ct(e, t, r, s) {\n return e && (s === void 0 && (s = Object.keys(t.child).length === 0), e = this.parseTextData(\n e,\n t.tagname,\n r,\n !1,\n t[\":@\"] ? Object.keys(t[\":@\"]).length !== 0 : !1,\n s\n ), e !== void 0 && e !== \"\" && t.add(this.options.textNodeName, e), e = \"\"), e;\n}\nfunction ht(e, t, r) {\n const s = \"*.\" + r;\n for (const n in e) {\n const i = e[n];\n if (s === i || t === i)\n return !0;\n }\n return !1;\n}\nfunction pt(e, t, r = \">\") {\n let s, n = \"\";\n for (let i = t; i < e.length; i++) {\n let d = e[i];\n if (s)\n d === s && (s = \"\");\n else if (d === '\"' || d === \"'\")\n s = d;\n else if (d === r[0])\n if (r[1]) {\n if (e[i + 1] === r[1])\n return {\n data: n,\n index: i\n };\n } else\n return {\n data: n,\n index: i\n };\n else\n d === \"\t\" && (d = \" \");\n n += d;\n }\n}\nfunction y(e, t, r, s) {\n const n = e.indexOf(t, r);\n if (n === -1)\n throw new Error(s);\n return n + t.length - 1;\n}\nfunction x(e, t, r, s = \">\") {\n const n = pt(e, t + 1, s);\n if (!n)\n return;\n let i = n.data;\n const d = n.index, u = i.search(/\\s/);\n let o = i, a = !0;\n u !== -1 && (o = i.substr(0, u).replace(/\\s\\s*$/, \"\"), i = i.substr(u + 1));\n const l = o;\n if (r) {\n const f = o.indexOf(\":\");\n f !== -1 && (o = o.substr(f + 1), a = o !== n.data.substr(f + 1));\n }\n return {\n tagName: o,\n tagExp: i,\n closeIndex: d,\n attrExpPresent: a,\n rawTagName: l\n };\n}\nfunction gt(e, t, r) {\n const s = r;\n let n = 1;\n for (; r < e.length; r++)\n if (e[r] === \"<\")\n if (e[r + 1] === \"/\") {\n const i = y(e, \">\", r, `${t} is not closed`);\n if (e.substring(r + 2, i).trim() === t && (n--, n === 0))\n return {\n tagContent: e.substring(s, r),\n i\n };\n r = i;\n } else if (e[r + 1] === \"?\")\n r = y(e, \"?>\", r + 1, \"StopNode is not closed.\");\n else if (e.substr(r + 1, 3) === \"!--\")\n r = y(e, \"-->\", r + 3, \"StopNode is not closed.\");\n else if (e.substr(r + 1, 2) === \"![\")\n r = y(e, \"]]>\", r, \"StopNode is not closed.\") - 2;\n else {\n const i = x(e, r, \">\");\n i && ((i && i.tagName) === t && i.tagExp[i.tagExp.length - 1] !== \"/\" && n++, r = i.closeIndex);\n }\n}\nfunction $(e, t, r) {\n if (t && typeof e == \"string\") {\n const s = e.trim();\n return s === \"true\" ? !0 : s === \"false\" ? !1 : rt(e, r);\n } else\n return B.isExist(e) ? e : \"\";\n}\nvar wt = nt, ne = {};\nfunction mt(e, t) {\n return ie(e, t);\n}\nfunction ie(e, t, r) {\n let s;\n const n = {};\n for (let i = 0; i < e.length; i++) {\n const d = e[i], u = Nt(d);\n let o = \"\";\n if (r === void 0 ? o = u : o = r + \".\" + u, u === t.textNodeName)\n s === void 0 ? s = d[u] : s += \"\" + d[u];\n else {\n if (u === void 0)\n continue;\n if (d[u]) {\n let a = ie(d[u], t, o);\n const l = bt(a, t);\n d[\":@\"] ? Et(a, d[\":@\"], o, t) : Object.keys(a).length === 1 && a[t.textNodeName] !== void 0 && !t.alwaysCreateTextNode ? a = a[t.textNodeName] : Object.keys(a).length === 0 && (t.alwaysCreateTextNode ? a[t.textNodeName] = \"\" : a = \"\"), n[u] !== void 0 && n.hasOwnProperty(u) ? (Array.isArray(n[u]) || (n[u] = [n[u]]), n[u].push(a)) : t.isArray(u, o, l) ? n[u] = [a] : n[u] = a;\n }\n }\n }\n return typeof s == \"string\" ? s.length > 0 && (n[t.textNodeName] = s) : s !== void 0 && (n[t.textNodeName] = s), n;\n}\nfunction Nt(e) {\n const t = Object.keys(e);\n for (let r = 0; r < t.length; r++) {\n const s = t[r];\n if (s !== \":@\")\n return s;\n }\n}\nfunction Et(e, t, r, s) {\n if (t) {\n const n = Object.keys(t), i = n.length;\n for (let d = 0; d < i; d++) {\n const u = n[d];\n s.isArray(u, r + \".\" + u, !0, !0) ? e[u] = [t[u]] : e[u] = t[u];\n }\n }\n}\nfunction bt(e, t) {\n const { textNodeName: r } = t, s = Object.keys(e).length;\n return !!(s === 0 || s === 1 && (e[r] || typeof e[r] == \"boolean\" || e[r] === 0));\n}\nne.prettify = mt;\nconst { buildOptions: yt } = k, _t = wt, { prettify: vt } = ne, Tt = S;\nlet It = class {\n constructor(t) {\n this.externalEntities = {}, this.options = yt(t);\n }\n /**\n * Parse XML dats to JS object \n * @param {string|Buffer} xmlData \n * @param {boolean|Object} validationOption \n */\n parse(t, r) {\n if (typeof t != \"string\")\n if (t.toString)\n t = t.toString();\n else\n throw new Error(\"XML data is accepted in String or Bytes[] form.\");\n if (r) {\n r === !0 && (r = {});\n const i = Tt.validate(t, r);\n if (i !== !0)\n throw Error(`${i.err.msg}:${i.err.line}:${i.err.col}`);\n }\n const s = new _t(this.options);\n s.addExternalEntities(this.externalEntities);\n const n = s.parseXml(t);\n return this.options.preserveOrder || n === void 0 ? n : vt(n, this.options);\n }\n /**\n * Add Entity which is not by default supported by this library\n * @param {string} key \n * @param {string} value \n */\n addEntity(t, r) {\n if (r.indexOf(\"&\") !== -1)\n throw new Error(\"Entity value can't have '&'\");\n if (t.indexOf(\"&\") !== -1 || t.indexOf(\";\") !== -1)\n throw new Error(\"An entity must be set without '&' and ';'. Eg. use '#xD' for ' '\");\n if (r === \"&\")\n throw new Error(\"An entity with value '&' is not permitted\");\n this.externalEntities[t] = r;\n }\n};\nvar At = It;\nconst Ot = `\n`;\nfunction Ct(e, t) {\n let r = \"\";\n return t.format && t.indentBy.length > 0 && (r = Ot), se(e, t, \"\", r);\n}\nfunction se(e, t, r, s) {\n let n = \"\", i = !1;\n for (let d = 0; d < e.length; d++) {\n const u = e[d], o = Pt(u);\n if (o === void 0)\n continue;\n let a = \"\";\n if (r.length === 0 ? a = o : a = `${r}.${o}`, o === t.textNodeName) {\n let h = u[o];\n xt(a, t) || (h = t.tagValueProcessor(o, h), h = oe(h, t)), i && (n += s), n += h, i = !1;\n continue;\n } else if (o === t.cdataPropName) {\n i && (n += s), n += ``, i = !1;\n continue;\n } else if (o === t.commentPropName) {\n n += s + ``, i = !0;\n continue;\n } else if (o[0] === \"?\") {\n const h = K(u[\":@\"], t), _ = o === \"?xml\" ? \"\" : s;\n let E = u[o][0][t.textNodeName];\n E = E.length !== 0 ? \" \" + E : \"\", n += _ + `<${o}${E}${h}?>`, i = !0;\n continue;\n }\n let l = s;\n l !== \"\" && (l += t.indentBy);\n const f = K(u[\":@\"], t), c = s + `<${o}${f}`, g = se(u[o], t, a, l);\n t.unpairedTags.indexOf(o) !== -1 ? t.suppressUnpairedNode ? n += c + \">\" : n += c + \"/>\" : (!g || g.length === 0) && t.suppressEmptyNode ? n += c + \"/>\" : g && g.endsWith(\">\") ? n += c + `>${g}${s}` : (n += c + \">\", g && s !== \"\" && (g.includes(\"/>\") || g.includes(\"`), i = !0;\n }\n return n;\n}\nfunction Pt(e) {\n const t = Object.keys(e);\n for (let r = 0; r < t.length; r++) {\n const s = t[r];\n if (e.hasOwnProperty(s) && s !== \":@\")\n return s;\n }\n}\nfunction K(e, t) {\n let r = \"\";\n if (e && !t.ignoreAttributes)\n for (let s in e) {\n if (!e.hasOwnProperty(s))\n continue;\n let n = t.attributeValueProcessor(s, e[s]);\n n = oe(n, t), n === !0 && t.suppressBooleanAttributes ? r += ` ${s.substr(t.attributeNamePrefix.length)}` : r += ` ${s.substr(t.attributeNamePrefix.length)}=\"${n}\"`;\n }\n return r;\n}\nfunction xt(e, t) {\n e = e.substr(0, e.length - t.textNodeName.length - 1);\n let r = e.substr(e.lastIndexOf(\".\") + 1);\n for (let s in t.stopNodes)\n if (t.stopNodes[s] === e || t.stopNodes[s] === \"*.\" + r)\n return !0;\n return !1;\n}\nfunction oe(e, t) {\n if (e && e.length > 0 && t.processEntities)\n for (let r = 0; r < t.entities.length; r++) {\n const s = t.entities[r];\n e = e.replace(s.regex, s.val);\n }\n return e;\n}\nvar $t = Ct;\nconst Ft = $t, Vt = {\n attributeNamePrefix: \"@_\",\n attributesGroupName: !1,\n textNodeName: \"#text\",\n ignoreAttributes: !0,\n cdataPropName: !1,\n format: !1,\n indentBy: \" \",\n suppressEmptyNode: !1,\n suppressUnpairedNode: !0,\n suppressBooleanAttributes: !0,\n tagValueProcessor: function(e, t) {\n return t;\n },\n attributeValueProcessor: function(e, t) {\n return t;\n },\n preserveOrder: !1,\n commentPropName: !1,\n unpairedTags: [],\n entities: [\n { regex: new RegExp(\"&\", \"g\"), val: \"&\" },\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: !0,\n stopNodes: [],\n // transformTagName: false,\n // transformAttributeName: false,\n oneListGroup: !1\n};\nfunction b(e) {\n this.options = Object.assign({}, Vt, e), this.options.ignoreAttributes || this.options.attributesGroupName ? this.isAttribute = function() {\n return !1;\n } : (this.attrPrefixLen = this.options.attributeNamePrefix.length, this.isAttribute = St), this.processTextOrObjNode = Lt, this.options.format ? (this.indentate = Rt, this.tagEndChar = `>\n`, this.newLine = `\n`) : (this.indentate = function() {\n return \"\";\n }, this.tagEndChar = \">\", this.newLine = \"\");\n}\nb.prototype.build = function(e) {\n return this.options.preserveOrder ? Ft(e, this.options) : (Array.isArray(e) && this.options.arrayNodeName && this.options.arrayNodeName.length > 1 && (e = {\n [this.options.arrayNodeName]: e\n }), this.j2x(e, 0).val);\n};\nb.prototype.j2x = function(e, t) {\n let r = \"\", s = \"\";\n for (let n in e)\n if (Object.prototype.hasOwnProperty.call(e, n))\n if (typeof e[n] > \"u\")\n this.isAttribute(n) && (s += \"\");\n else if (e[n] === null)\n this.isAttribute(n) ? s += \"\" : n[0] === \"?\" ? s += this.indentate(t) + \"<\" + n + \"?\" + this.tagEndChar : s += this.indentate(t) + \"<\" + n + \"/\" + this.tagEndChar;\n else if (e[n] instanceof Date)\n s += this.buildTextValNode(e[n], n, \"\", t);\n else if (typeof e[n] != \"object\") {\n const i = this.isAttribute(n);\n if (i)\n r += this.buildAttrPairStr(i, \"\" + e[n]);\n else if (n === this.options.textNodeName) {\n let d = this.options.tagValueProcessor(n, \"\" + e[n]);\n s += this.replaceEntitiesValue(d);\n } else\n s += this.buildTextValNode(e[n], n, \"\", t);\n } else if (Array.isArray(e[n])) {\n const i = e[n].length;\n let d = \"\";\n for (let u = 0; u < i; u++) {\n const o = e[n][u];\n typeof o > \"u\" || (o === null ? n[0] === \"?\" ? s += this.indentate(t) + \"<\" + n + \"?\" + this.tagEndChar : s += this.indentate(t) + \"<\" + n + \"/\" + this.tagEndChar : typeof o == \"object\" ? this.options.oneListGroup ? d += this.j2x(o, t + 1).val : d += this.processTextOrObjNode(o, n, t) : d += this.buildTextValNode(o, n, \"\", t));\n }\n this.options.oneListGroup && (d = this.buildObjectNode(d, n, \"\", t)), s += d;\n } else if (this.options.attributesGroupName && n === this.options.attributesGroupName) {\n const i = Object.keys(e[n]), d = i.length;\n for (let u = 0; u < d; u++)\n r += this.buildAttrPairStr(i[u], \"\" + e[n][i[u]]);\n } else\n s += this.processTextOrObjNode(e[n], n, t);\n return { attrStr: r, val: s };\n};\nb.prototype.buildAttrPairStr = function(e, t) {\n return t = this.options.attributeValueProcessor(e, \"\" + t), t = this.replaceEntitiesValue(t), this.options.suppressBooleanAttributes && t === \"true\" ? \" \" + e : \" \" + e + '=\"' + t + '\"';\n};\nfunction Lt(e, t, r) {\n const s = this.j2x(e, r + 1);\n return e[this.options.textNodeName] !== void 0 && Object.keys(e).length === 1 ? this.buildTextValNode(e[this.options.textNodeName], t, s.attrStr, r) : this.buildObjectNode(s.val, t, s.attrStr, r);\n}\nb.prototype.buildObjectNode = function(e, t, r, s) {\n if (e === \"\")\n return t[0] === \"?\" ? this.indentate(s) + \"<\" + t + r + \"?\" + this.tagEndChar : this.indentate(s) + \"<\" + t + r + this.closeTag(t) + this.tagEndChar;\n {\n let n = \"\" + e + n : this.options.commentPropName !== !1 && t === this.options.commentPropName && i.length === 0 ? this.indentate(s) + `` + this.newLine : this.indentate(s) + \"<\" + t + r + i + this.tagEndChar + e + this.indentate(s) + n;\n }\n};\nb.prototype.closeTag = function(e) {\n let t = \"\";\n return this.options.unpairedTags.indexOf(e) !== -1 ? this.options.suppressUnpairedNode || (t = \"/\") : this.options.suppressEmptyNode ? t = \"/\" : t = `>` + this.newLine;\n if (this.options.commentPropName !== !1 && t === this.options.commentPropName)\n return this.indentate(s) + `` + this.newLine;\n if (t[0] === \"?\")\n return this.indentate(s) + \"<\" + t + r + \"?\" + this.tagEndChar;\n {\n let n = this.options.tagValueProcessor(t, e);\n return n = this.replaceEntitiesValue(n), n === \"\" ? this.indentate(s) + \"<\" + t + r + this.closeTag(t) + this.tagEndChar : this.indentate(s) + \"<\" + t + r + \">\" + n + \" 0 && this.options.processEntities)\n for (let t = 0; t < this.options.entities.length; t++) {\n const r = this.options.entities[t];\n e = e.replace(r.regex, r.val);\n }\n return e;\n};\nfunction Rt(e) {\n return this.options.indentBy.repeat(e);\n}\nfunction St(e) {\n return e.startsWith(this.options.attributeNamePrefix) && e !== this.options.textNodeName ? e.substr(this.attrPrefixLen) : !1;\n}\nvar Mt = b;\nconst kt = S, Bt = At, qt = Mt;\nvar W = {\n XMLParser: Bt,\n XMLValidator: kt,\n XMLBuilder: qt\n};\nfunction Xt(e) {\n if (typeof e != \"string\")\n throw new TypeError(`Expected a \\`string\\`, got \\`${typeof e}\\``);\n if (e = e.trim(), e.length === 0 || W.XMLValidator.validate(e) !== !0)\n return !1;\n let t;\n const r = new W.XMLParser();\n try {\n t = r.parse(e);\n } catch {\n return !1;\n }\n return !(!t || !(\"svg\" in t));\n}\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ \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 cr {\n _view;\n constructor(t) {\n Ut(t), this._view = t;\n }\n get id() {\n return this._view.id;\n }\n get name() {\n return this._view.name;\n }\n get caption() {\n return this._view.caption;\n }\n get emptyTitle() {\n return this._view.emptyTitle;\n }\n get emptyCaption() {\n return this._view.emptyCaption;\n }\n get getContents() {\n return this._view.getContents;\n }\n get icon() {\n return this._view.icon;\n }\n set icon(t) {\n this._view.icon = t;\n }\n get order() {\n return this._view.order;\n }\n set order(t) {\n this._view.order = t;\n }\n get params() {\n return this._view.params;\n }\n set params(t) {\n this._view.params = t;\n }\n get columns() {\n return this._view.columns;\n }\n get emptyView() {\n return this._view.emptyView;\n }\n get parent() {\n return this._view.parent;\n }\n get sticky() {\n return this._view.sticky;\n }\n get expanded() {\n return this._view.expanded;\n }\n set expanded(t) {\n this._view.expanded = t;\n }\n get defaultSortKey() {\n return this._view.defaultSortKey;\n }\n}\nconst Ut = function(e) {\n if (!e.id || typeof e.id != \"string\")\n throw new Error(\"View id is required and must be a string\");\n if (!e.name || typeof e.name != \"string\")\n throw new Error(\"View name is required and must be a string\");\n if (e.columns && e.columns.length > 0 && (!e.caption || typeof e.caption != \"string\"))\n throw new Error(\"View caption is required for top-level views and must be a string\");\n if (!e.getContents || typeof e.getContents != \"function\")\n throw new Error(\"View getContents is required and must be a function\");\n if (!e.icon || typeof e.icon != \"string\" || !Xt(e.icon))\n throw new Error(\"View icon is required and must be a valid svg string\");\n if (!(\"order\" in e) || typeof e.order != \"number\")\n throw new Error(\"View order is required and must be a number\");\n if (e.columns && e.columns.forEach((t) => {\n if (!(t instanceof Ie))\n throw new Error(\"View columns must be an array of Column. Invalid column found\");\n }), e.emptyView && typeof e.emptyView != \"function\")\n throw new Error(\"View emptyView must be a function\");\n if (e.parent && typeof e.parent != \"string\")\n throw new Error(\"View parent must be a string\");\n if (\"sticky\" in e && typeof e.sticky != \"boolean\")\n throw new Error(\"View sticky must be a boolean\");\n if (\"expanded\" in e && typeof e.expanded != \"boolean\")\n throw new Error(\"View expanded must be a boolean\");\n if (e.defaultSortKey && typeof e.defaultSortKey != \"string\")\n throw new Error(\"View defaultSortKey must be a string\");\n return !0;\n};\n/**\n * @copyright 2019 Christoph Wurst \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 hr = function(e) {\n return F().registerEntry(e);\n}, pr = function(e) {\n return F().unregisterEntry(e);\n}, gr = function(e) {\n return F().getEntries(e).sort((r, s) => r.order !== void 0 && s.order !== void 0 && r.order !== s.order ? r.order - s.order : r.displayName.localeCompare(s.displayName, void 0, { numeric: !0, sensitivity: \"base\" }));\n};\nexport {\n Ie as Column,\n Z as DefaultType,\n ye as File,\n Qt as FileAction,\n R as FileType,\n _e as Folder,\n tr as Header,\n Te as Navigation,\n D as Node,\n Q as NodeStatus,\n N as Permission,\n cr as View,\n hr as addNewFileMenuEntry,\n ur as davGetClient,\n sr as davGetDefaultPropfind,\n Ee as davGetFavoritesReport,\n or as davGetRecentSearch,\n be as davParsePermissions,\n te as davRemoteURL,\n ve as davResultToNode,\n ee as davRootPath,\n Y as defaultDavNamespaces,\n j as defaultDavProperties,\n Yt as formatFileSize,\n L as getDavNameSpaces,\n V as getDavProperties,\n dr as getFavoriteNodes,\n er as getFileActions,\n nr as getFileListHeaders,\n ar as getNavigation,\n gr as getNewFileMenuEntries,\n Jt as parseFileSize,\n ir as registerDavProperty,\n Dt as registerFileAction,\n rr as registerFileListHeaders,\n pr as removeNewFileMenuEntry\n};\n","// 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=\" + {\"1215\":\"dd1ef4c4cc807022e660\",\"5076\":\"15b21454a9691213632e\"}[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 = 9837;","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) 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\t9837: 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, [7874], () => (__webpack_require__(40889)))\n__webpack_exports__ = __webpack_require__.O(__webpack_exports__);\n"],"names":["deferred","inProgress","dataWebpackPrefix","getLoggerBuilder","setApp","detectUser","build","isAllUnshare","nodes","some","node","owner","getCurrentUser","uid","action","FileAction","id","displayName","view","hasUnshareItems","hasDeleteItems","isMixedUnshareAndDelete","t","iconSvgInline","enabled","length","map","permissions","every","permission","Permission","DELETE","exec","axios","delete","encodedSource","emit","error","logger","source","execBatch","dir","Promise","all","this","order","triggerDownload","url","hiddenElement","document","createElement","download","href","click","downloadNodes","secret","Math","random","toString","substring","generateUrl","files","JSON","stringify","basename","isDownloadable","READ","attributes","downloadAttribute","parse","find","attribute","scope","key","undefined","type","FileType","Folder","root","startsWith","async","Array","fill","UPDATE","path","link","generateOcsUrl","result","post","window","location","host","encodePath","data","ocs","token","showError","openLocalClient","shouldFavorite","favorite","favoriteNode","willFavorite","tags","OC","TAG_FAVORITE","dirname","Vue","StarSvg","NONE","options","styleTagTransform","setAttributes","insert","domAPI","insertStyleElement","locals","Axios","AxiosError","CanceledError","isCancel","CancelToken","VERSION","Cancel","isAxiosError","spread","toFormData","AxiosHeaders","HttpStatusCode","formToJSON","getAdapter","mergeConfig","queue","getQueue","PQueue","concurrency","MoveCopyAction","canMove","reduce","min","ALL","canCopy","canDownload","getUniqueName","name","otherNames","suffix","arguments","n","newName","i","includes","ext","extname","getActionForNodes","MOVE_OR_COPY","MOVE","COPY","handleCopyMoveNodeTo","destination","method","overwrite","Error","NodeStatus","LOADING","add","copySuffix","index","client","davGetClient","currentPath","join","davRootPath","destinationPath","target","otherNodes","getDirectoryContents","copyFile","stat","details","davGetDefaultPropfind","davResultToNode","moveFile","response","status","message","debug","openFilePickerForAction","fileIDs","fileid","filter","Boolean","filePicker","getFilePickerBuilder","allowDirectories","setFilter","CREATE","setMimeTypeFilter","setMultiSelect","startAt","resolve","reject","setButtonFactory","_selection","buttons","dirnames","paths","push","label","icon","CopyIconSvg","callback","FolderMoveSvg","pick","catch","e","promises","FolderSvg","isDavRessource","OCP","Files","Router","goToRoute","default","DefaultType","HIDDEN","InformationSvg","OCA","Sidebar","open","File","entry","context","handler","content","contentNames","encodeURIComponent","headers","Overwrite","parseInt","createNewFolder","folder","mtime","Date","showSuccess","WorkerGlobalScope","self","globalThis","fetch","bind","Headers","Request","Response","HOT_PATCHER_TYPE","NOOP","createNewItem","original","methods","final","HotPatcher","constructor","_configuration","registry","getEmptyAction","__type__","configuration","newAction","control","allowTargetOverrides","Object","keys","forEach","foreignKey","hasOwnProperty","assign","execute","args","get","item","_this","shift","apply","sequence","isPatched","patch","opts","chain","patchInline","plugin","restore","setFinal","__patcher","NONCE_CHARS","generateDigestAuthHeader","digest","replace","uri","indexOf","slice","toUpperCase","qop","test","ncString","nc","ha1","algorithm","user","realm","pass","nonce","cnonce","ha1Hash","md5","toLowerCase","ha1Compute","username","password","ha2","digestResponse","authValues","opaque","authHeader","k","obj","prototype","call","getPrototypeOf","proto","isPlainObject","setPrototypeOf","merge","output","items","nextItem","mergeObjects","obj1","obj2","isArray","headerPayloads","headerKeys","header","lowerHeader","hasArrayBuffer","ArrayBuffer","objToString","_request","requestOptions","patcher","body","newHeaders","value","isBuffer","isArrayBuffer","requestDataToFetchBody","signal","withCredentials","credentials","httpAgent","httpsAgent","agent","parsedURL","protocol","getFetchOptions","rootPath","defaultRootUrl","generateRemoteUrl","getClient","rootUrl","createClient","requesttoken","getRequestToken","getPatcher","_digest","hasDigestAuth","Authorization","split","re","match","floor","makeNonce","parseDigestAuth","response2","request","hashCode","str","a","b","charCodeAt","resultToNode","props","davParsePermissions","filename","nodeData","lastmod","mime","size","hasPreview","failed","reportPayload","getDavNameSpaces","getDavProperties","getContents","propfindPayload","rootResponse","contentsResponse","includeSelf","contents","generateFavoriteFolderView","View","generateIdFromPath","params","parent","columns","lastTwoWeeksTimestamp","round","now","inheritAttrs","String","required","checked","Number","previewUrl","ratio","failedPreview","computed","nameWithoutExt","realPreviewUrl","mimeIcon","getElementById","pathSections","relativePath","section","encodeFilePath","MimeType","getIconUrl","onCheck","$emit","onFailure","_vm","_c","_self","staticClass","attrs","domProps","on","_v","class","_s","extend","components","NcEmptyContent","NcModal","TemplatePreview","loading","opened","provider","extension","emptyTemplate","mimetypes","selectedTemplate","templates","template","style","width","margin","border","fetchedProvider","getTemplates","app","onSubmit","close","currentDirectory","URL","searchParams","warn","fileInfo","filePath","templatePath","templateType","createFromTemplate","normalize","openfile","_setupProxy","$event","preventDefault","stopPropagation","_b","_l","_e","mixin","TemplatePickerRoot","appendChild","loadState","templatesPath","TemplatePicker","TemplatePickerView","propsData","$mount","addNewFileMenuEntry","initTemplatesFolder","removeNewFileMenuEntry","iconClass","directory","copySystemTemplates","template_path","registerFileAction","deleteAction","downloadAction","editLocallyAction","favoriteAction","moveOrCopyAction","openFolderAction","openInFilesAction","renameAction","sidebarAction","viewInFolderAction","newFolderEntry","favoriteFolders","favoriteFoldersViews","Navigation","getNavigation","register","caption","emptyTitle","emptyCaption","subscribe","addToFavorites","removePathFromFavorites","updateAndSortViews","sort","localeCompare","getLanguage","ignorePunctuation","newFavoriteFolder","findIndex","splice","remove","registerFavoritesView","controller","AbortController","CancelablePromise","onCancel","abort","defaultSortKey","davGetRecentSearch","deep","davRemoteURL","r","navigator","addEventListener","noRewrite","registration","serviceWorker","registerDavProperty","module","exports","_typeof","Symbol","iterator","_exports","_setPrototypeOf","o","p","__proto__","_createSuper","Derived","hasNativeReflectConstruct","Reflect","construct","sham","Proxy","valueOf","_isNativeReflectConstruct","Super","_getPrototypeOf","NewTarget","TypeError","ReferenceError","_assertThisInitialized","_possibleConstructorReturn","_createForOfIteratorHelper","allowArrayLike","it","minLen","_arrayLikeToArray","from","_unsupportedIterableToArray","F","s","done","f","err","normalCompletion","didErr","step","next","_e2","return","arr","len","arr2","_classCallCheck","instance","Constructor","_defineProperties","descriptor","enumerable","configurable","writable","defineProperty","_createClass","protoProps","staticProps","_defineProperty","_classPrivateFieldInitSpec","privateMap","privateCollection","has","_checkPrivateRedeclaration","set","_classPrivateFieldGet","receiver","_classApplyDescriptorGet","_classExtractFieldDescriptor","_classPrivateFieldSet","_classApplyDescriptorSet","cancelable","isCancelablePromise","toStringTag","_internals","WeakMap","_promise","CancelablePromiseInternal","_ref","_ref$executor","executor","_ref$internals","internals","isCanceled","onCancelList","_ref$promise","promise","cancel","onfulfilled","onrejected","makeCancelable","then","createCallback","onfinally","runWhenCanceled","finally","callbacks","_step","_iterator","console","_CancelablePromiseInt","subClass","superClass","create","_inherits","_super","iterable","makeAllCancelable","allSettled","any","race","reason","_default","onResult","arg","_step2","_iterator2","resolvable","___CSS_LOADER_URL_IMPORT_0___","___CSS_LOADER_URL_IMPORT_1___","___CSS_LOADER_EXPORT___","___CSS_LOADER_URL_REPLACEMENT_0___","___CSS_LOADER_URL_REPLACEMENT_1___","http","https","validateParams","cb","Stream","Readable","Writable","Duplex","Transform","PassThrough","finished","pipeline","ClientRequest","statusCodes","defaultProtocol","g","search","hostname","port","req","end","IncomingMessage","Agent","defaultMaxSockets","globalAgent","STATUS_CODES","METHODS","xhr","getXHR","XMLHttpRequest","XDomainRequest","checkTypeSupport","responseType","isFunction","ReadableStream","writableStream","WritableStream","abortController","arraybuffer","msstream","mozchunkedarraybuffer","overrideMimeType","capability","inherits","stream","rStates","readyStates","preferBinary","_opts","_body","_headers","auth","setHeader","Buffer","useFetch","mode","_mode","decideMode","_fetchTimer","_socketTimeout","_socketTimer","_onFinish","lowerName","unsafeHeaders","getHeader","removeHeader","_destroyed","timeout","setTimeout","headersObj","Blob","headersList","keyName","v","_fetchAbortController","requestTimeout","_fetchResponse","_resetTimers","_connect","_xhr","process","nextTick","ontimeout","setRequestHeader","_response","onreadystatechange","readyState","DONE","_onXHRProgress","onprogress","onerror","send","statusValid","_write","chunk","encoding","clearTimeout","destroy","once","flushHeaders","setNoDelay","setSocketKeepAlive","UNSENT","OPENED","HEADERS_RECEIVED","resetTimers","rawHeaders","trailers","rawTrailers","statusCode","statusMessage","statusText","write","_resumeFetch","pipeTo","reader","getReader","read","_pos","responseURL","getAllResponseHeaders","matches","_charset","mimeType","charsetMatch","_read","responseText","newData","substr","buffer","alloc","Uint8Array","MSStreamReader","byteLength","onload","readAsArrayBuffer","m","setUid","Ne","_entries","registerEntry","validateEntry","unregisterEntry","getEntryIndex","entries","getEntries","_nc_newfilemenu","C","P","Yt","log","d","pow","toFixed","parseFloat","toLocaleString","Z","DEFAULT","Qt","_action","validateAction","title","inline","renderInline","values","Dt","_nc_fileactions","N","SHARE","j","Y","oc","ir","_nc_dav_properties","_nc_dav_namespaces","prop","namespaces","V","L","sr","or","be","R","J","X","crtime","Q","NEW","FAILED","LOCKED","D","_data","_attributes","_knownDavService","updateMtime","deleteProperty","origin","pop","pathname","move","rename","ye","super","ee","te","ur","setHeaders","u","dr","ve","getcontentlength","Te","_views","_currentView","views","setActive","active","ar","_nc_navigation","Ie","_column","Ae","render","summary","S","O","RegExp","isExist","isEmptyObject","l","c","getValue","isName","getAllMatches","startIndex","lastIndex","nameRegexp","M","Oe","allowBooleanAttributes","unpairedTags","U","G","w","z","validate","trim","Re","xe","H","code","msg","line","tagClosed","tagName","tagStartPos","col","Ve","Ce","Pe","$e","Le","Fe","preserveOrder","attributeNamePrefix","attributesGroupName","textNodeName","ignoreAttributes","removeNSPrefix","parseTagValue","parseAttributeValue","trimValues","cdataPropName","numberParseOptions","hex","leadingZeros","eNotation","tagValueProcessor","attributeValueProcessor","stopNodes","alwaysCreateTextNode","commentPropName","processEntities","htmlEntities","ignoreDeclaration","ignorePiTags","transformTagName","transformAttributeName","updateTag","buildOptions","defaultOptions","Be","Xe","Ue","Ge","ze","He","Ke","We","je","Ye","Je","decimalPoint","B","T","tagname","child","addChild","tt","entityName","val","regx","entities","rt","skipLike","De","lastEntities","regex","st","replaceEntitiesValue","$","ot","charAt","ut","dt","resolveNameSpace","at","y","saveTextToParentTag","lastIndexOf","tagsNodeStack","x","tagExp","attrExpPresent","buildAttributesMap","closeIndex","docTypeEntities","parseTextData","rawTagName","isItStopNode","h","E","readStopNodeData","tagContent","_","lt","ft","ampEntity","ct","ht","pt","gt","ne","ie","Nt","bt","Et","prettify","yt","_t","currentNode","apos","quot","space","cent","pound","yen","euro","copyright","reg","inr","addExternalEntities","parseXml","vt","Tt","se","Pt","xt","oe","K","indentBy","suppressUnpairedNode","suppressEmptyNode","endsWith","suppressBooleanAttributes","Ft","format","Vt","oneListGroup","isAttribute","attrPrefixLen","St","processTextOrObjNode","Lt","indentate","Rt","tagEndChar","newLine","j2x","buildTextValNode","attrStr","buildObjectNode","repeat","arrayNodeName","buildAttrPairStr","closeTag","W","XMLParser","externalEntities","addEntity","XMLValidator","XMLBuilder","cr","_view","Ut","emptyView","sticky","expanded","Xt","hr","pr","__webpack_module_cache__","__webpack_require__","moduleId","cachedModule","loaded","__webpack_modules__","chunkIds","fn","priority","notFulfilled","Infinity","fulfilled","getter","__esModule","definition","chunkId","Function","script","needAttach","scripts","getElementsByTagName","getAttribute","charset","setAttribute","src","onScriptComplete","prev","event","doneFns","parentNode","removeChild","head","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 dd706c9918c0e..9945aa57beec4 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={51772: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,a){if("function"!=typeof s)throw new TypeError("The listener must be a function");var o=new i(s,r||t,a),l=n?n+e:e;return t._events[l]?t._events[l].fn?t._events[l]=[t._events[l],o]:t._events[l].push(o):(t._events[l]=o,t._eventsCount++),t}function a(t,e){0==--t._eventsCount?t._events=new s:delete t._events[e]}function o(){this._events=new s,this._eventsCount=0}Object.create&&(s.prototype=Object.create(null),(new s).__proto__||(n=!1)),o.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},o.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,a=new Array(r);i{"use strict";var i={};s.r(i),s.d(i,{exclude:()=>Pt,extract:()=>kt,parse:()=>St,parseUrl:()=>Nt,pick:()=>Ft,stringify:()=>Lt,stringifyUrl:()=>It});var r=s(20144),a=!0;function o(){return"undefined"!=typeof navigator&&"undefined"!=typeof window?window:void 0!==s.g?s.g:{}}r.default.util.warn;const l="function"==typeof Proxy,c="devtools-plugin:setup";let u,d;class m{constructor(t,e){this.target=null,this.targetQueue=[],this.onQueue=[],this.plugin=t,this.hook=e;const n={};if(t.settings)for(const e in t.settings){const s=t.settings[e];n[e]=s.defaultValue}const i=`__vue-devtools-plugin-settings__${t.id}`;let r=Object.assign({},n);try{const t=localStorage.getItem(i),e=JSON.parse(t);Object.assign(r,e)}catch(t){}this.fallbacks={getSettings:()=>r,setSettings(t){try{localStorage.setItem(i,JSON.stringify(t))}catch(t){}r=t},now:()=>{return void 0!==u||("undefined"!=typeof window&&window.performance?(u=!0,d=window.performance):void 0!==s.g&&(null===(t=s.g.perf_hooks)||void 0===t?void 0:t.performance)?(u=!0,d=s.g.perf_hooks.performance):u=!1),u?d.now():Date.now();var t}},e&&e.on("plugin:settings:set",((t,e)=>{t===this.plugin.id&&this.fallbacks.setSettings(e)})),this.proxiedOn=new Proxy({},{get:(t,e)=>this.target?this.target.on[e]:(...t)=>{this.onQueue.push({method:e,args:t})}}),this.proxiedTarget=new Proxy({},{get:(t,e)=>this.target?this.target[e]:"on"===e?this.proxiedOn:Object.keys(this.fallbacks).includes(e)?(...t)=>(this.targetQueue.push({method:e,args:t,resolve:()=>{}}),this.fallbacks[e](...t)):(...t)=>new Promise((n=>{this.targetQueue.push({method:e,args:t,resolve:n})}))})}async setRealTarget(t){this.target=t;for(const t of this.onQueue)this.target.on[t.method](...t.args);for(const t of this.targetQueue)t.resolve(await this.target[t.method](...t.args))}}function p(t,e){const n=t,s=o(),i=o().__VUE_DEVTOOLS_GLOBAL_HOOK__,r=l&&n.enableEarlyProxy;if(!i||!s.__VUE_DEVTOOLS_PLUGIN_API_AVAILABLE__&&r){const t=r?new m(n,i):null;(s.__VUE_DEVTOOLS_PLUGINS__=s.__VUE_DEVTOOLS_PLUGINS__||[]).push({pluginDescriptor:n,setupFn:e,proxy:t}),t&&e(t.proxiedTarget)}else i.emit(c,t,e)}var f=s(25108);let g;const h=t=>g=t,A=Symbol();function w(t){return t&&"object"==typeof t&&"[object Object]"===Object.prototype.toString.call(t)&&"function"!=typeof t.toJSON}var y;!function(t){t.direct="direct",t.patchObject="patch object",t.patchFunction="patch function"}(y||(y={}));const v="undefined"!=typeof window,b="undefined"!=typeof __VUE_PROD_DEVTOOLS__&&__VUE_PROD_DEVTOOLS__&&v,C=(()=>"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 x(t,e,n){const s=new XMLHttpRequest;s.open("GET",t),s.responseType="blob",s.onload=function(){S(s.response,e,n)},s.onerror=function(){f.error("could not download file")},s.send()}function _(t){const e=new XMLHttpRequest;e.open("HEAD",t,!1);try{e.send()}catch(t){}return e.status>=200&&e.status<=299}function T(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 E="object"==typeof navigator?navigator:{userAgent:""},k=(()=>/Macintosh/.test(E.userAgent)&&/AppleWebKit/.test(E.userAgent)&&!/Safari/.test(E.userAgent))(),S=v?"undefined"!=typeof HTMLAnchorElement&&"download"in HTMLAnchorElement.prototype&&!k?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?_(s.href)?x(t,e,n):(s.target="_blank",T(s)):T(s)):(s.href=URL.createObjectURL(t),setTimeout((function(){URL.revokeObjectURL(s.href)}),4e4),setTimeout((function(){T(s)}),0))}:"msSaveOrOpenBlob"in E?function(t,e="download",n){if("string"==typeof t)if(_(t))x(t,e,n);else{const e=document.createElement("a");e.href=t,e.target="_blank",setTimeout((function(){T(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 x(t,e,n);const i="application/octet-stream"===t.type,r=/constructor/i.test(String(C.HTMLElement))||"safari"in C,a=/CriOS\/[\d]+/.test(navigator.userAgent);if((a||i&&r||k)&&"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=a?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 L(t,e){const n="🍍 "+t;"function"==typeof __VUE_DEVTOOLS_TOAST__?__VUE_DEVTOOLS_TOAST__(n,e):"error"===e?f.error(n):"warn"===e?f.warn(n):f.log(n)}function N(t){return"_a"in t&&"install"in t}function I(){if(!("clipboard"in navigator))return L("Your browser doesn't support the Clipboard API","error"),!0}function F(t){return!!(t instanceof Error&&t.message.toLowerCase().includes("document is not focused"))&&(L('You need to activate the "Emulate a focused page" setting in the "Rendering" panel of devtools.',"warn"),!0)}let P;function O(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 B(t){return{_custom:{display:t}}}const D="🍍 Pinia (root)",j="_root";function U(t){return N(t)?{id:j,label:D}:{id:t.$id,label:t.$id}}function R(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:B(t.type),key:B(t.key),oldValue:t.oldValue,newValue:t.newValue}:{}}function z(t){switch(t){case y.direct:return"mutation";case y.patchFunction:case y.patchObject:return"$patch";default:return"unknown"}}let M=!0;const V=[],$="pinia:mutations",q="pinia",{assign:H}=Object,G=t=>"🍍 "+t;function Z(t,e){p({id:"dev.esm.pinia",label:"Pinia 🍍",logo:"https://pinia.vuejs.org/logo.svg",packageName:"pinia",homepage:"https://pinia.vuejs.org",componentStateTypes:V,app:t},(n=>{"function"!=typeof n.now&&L("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:$,label:"Pinia 🍍",color:15064968}),n.addInspector({id:q,label:"Pinia 🍍",icon:"storage",treeFilterPlaceholder:"Search stores",actions:[{icon:"content_copy",action:()=>{!async function(t){if(!I())try{await navigator.clipboard.writeText(JSON.stringify(t.state.value)),L("Global state copied to clipboard.")}catch(t){if(F(t))return;L("Failed to serialize the state. Check the console for more details.","error"),f.error(t)}}(e)},tooltip:"Serialize and copy the state"},{icon:"content_paste",action:async()=>{await async function(t){if(!I())try{O(t,JSON.parse(await navigator.clipboard.readText())),L("Global state pasted from clipboard.")}catch(t){if(F(t))return;L("Failed to deserialize the state from clipboard. Check the console for more details.","error"),f.error(t)}}(e),n.sendInspectorTree(q),n.sendInspectorState(q)},tooltip:"Replace the state with the content of your clipboard"},{icon:"save",action:()=>{!async function(t){try{S(new Blob([JSON.stringify(t.state.value)],{type:"text/plain;charset=utf-8"}),"pinia-state.json")}catch(t){L("Failed to export the state as JSON. Check the console for more details.","error"),f.error(t)}}(e)},tooltip:"Save the state as a JSON file"},{icon:"folder_open",action:async()=>{await async function(t){try{const e=(P||(P=document.createElement("input"),P.type="file",P.accept=".json"),function(){return new Promise(((t,e)=>{P.onchange=async()=>{const e=P.files;if(!e)return t(null);const n=e.item(0);return t(n?{text:await n.text(),file:n}:null)},P.oncancel=()=>t(null),P.onerror=e,P.click()}))}),n=await e();if(!n)return;const{text:s,file:i}=n;O(t,JSON.parse(s)),L(`Global state imported from "${i.name}".`)}catch(t){L("Failed to import the state from JSON. Check the console for more details.","error"),f.error(t)}}(e),n.sendInspectorTree(q),n.sendInspectorState(q)},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?L(`Cannot reset "${t}" store because it doesn't have a "$reset" method implemented.`,"warn"):(n.$reset(),L(`Store "${t}" reset.`)):L(`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:G(e.$id),key:"state",editable:!0,value:e._isOptionsAPI?{_custom:{value:(0,r.toRaw)(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:G(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===q){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()):D.toLowerCase().includes(n.filter.toLowerCase()))):t).map(U)}})),n.on.getInspectorState((n=>{if(n.app===t&&n.inspectorId===q){const t=n.nodeId===j?e:e._s.get(n.nodeId);if(!t)return;t&&(n.state=function(t){if(N(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===q){const t=n.nodeId===j?e:e._s.get(n.nodeId);if(!t)return L(`store "${n.nodeId}" not found`,"error");const{path:s}=n;N(t)?s.unshift("state"):1===s.length&&t._customProperties.has(s[0])&&!(s[0]in t.$state)||s.unshift("$state"),M=!1,n.set(t,s,n.state.value),M=!0}})),n.on.editComponentState((t=>{if(t.type.startsWith("🍍")){const n=t.type.replace(/^🍍\s*/,""),s=e._s.get(n);if(!s)return L(`store "${n}" not found`,"error");const{path:i}=t;if("state"!==i[0])return L(`Invalid path for store "${n}":\n${i}\nOnly state can be modified.`);i[0]="$state",M=!1,t.set(s,i,t.state.value),M=!0}}))}))}let Y,W=0;function K(t,e,n){const s=e.reduce(((e,n)=>(e[n]=(0,r.toRaw)(t)[n],e)),{});for(const e in s)t[e]=function(){const i=W,r=n?new Proxy(t,{get:(...t)=>(Y=i,Reflect.get(...t)),set:(...t)=>(Y=i,Reflect.set(...t))}):t;Y=i;const a=s[e].apply(r,arguments);return Y=void 0,a}}function J({app:t,store:e,options:n}){if(e.$id.startsWith("__hot:"))return;e._isOptionsAPI=!!n.state,K(e,Object.keys(n.actions),e._isOptionsAPI);const s=e._hotUpdate;(0,r.toRaw)(e)._hotUpdate=function(t){s.apply(this,arguments),K(e,Object.keys(t._hmrPayload.actions),!!e._isOptionsAPI)},function(t,e){V.includes(G(e.$id))||V.push(G(e.$id)),p({id:"dev.esm.pinia",label:"Pinia 🍍",logo:"https://pinia.vuejs.org/logo.svg",packageName:"pinia",homepage:"https://pinia.vuejs.org",componentStateTypes:V,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:a})=>{const o=W++;t.addTimelineEvent({layerId:$,event:{time:n(),title:"🛫 "+r,subtitle:"start",data:{store:B(e.$id),action:B(r),args:a},groupId:o}}),s((s=>{Y=void 0,t.addTimelineEvent({layerId:$,event:{time:n(),title:"🛬 "+r,subtitle:"end",data:{store:B(e.$id),action:B(r),args:a,result:s},groupId:o}})})),i((s=>{Y=void 0,t.addTimelineEvent({layerId:$,event:{time:n(),logType:"error",title:"💥 "+r,subtitle:"end",data:{store:B(e.$id),action:B(r),args:a,error:s},groupId:o}})}))}),!0),e._customProperties.forEach((s=>{(0,r.watch)((()=>(0,r.unref)(e[s])),((e,i)=>{t.notifyComponentUpdate(),t.sendInspectorState(q),M&&t.addTimelineEvent({layerId:$,event:{time:n(),title:"Change",subtitle:s,data:{newValue:e,oldValue:i},groupId:Y}})}),{deep:!0})})),e.$subscribe((({events:s,type:i},r)=>{if(t.notifyComponentUpdate(),t.sendInspectorState(q),!M)return;const a={time:n(),title:z(i),data:H({store:B(e.$id)},R(s)),groupId:Y};i===y.patchFunction?a.subtitle="⤵️":i===y.patchObject?a.subtitle="🧩":s&&!Array.isArray(s)&&(a.subtitle=s.type),s&&(a.data["rawEvent(s)"]={_custom:{display:"DebuggerEvent",type:"object",tooltip:"raw DebuggerEvent[]",value:s}}),t.addTimelineEvent({layerId:$,event:a})}),{detached:!0,flush:"sync"});const s=e._hotUpdate;e._hotUpdate=(0,r.markRaw)((i=>{s(i),t.addTimelineEvent({layerId:$,event:{time:n(),title:"🔥 "+e.$id,subtitle:"HMR update",data:{store:B(e.$id),info:B("HMR update")}}}),t.notifyComponentUpdate(),t.sendInspectorTree(q),t.sendInspectorState(q)}));const{$dispose:i}=e;e.$dispose=()=>{i(),t.notifyComponentUpdate(),t.sendInspectorTree(q),t.sendInspectorState(q),t.getSettings().logStoreChanges&&L(`Disposed "${e.$id}" store 🗑`)},t.notifyComponentUpdate(),t.sendInspectorTree(q),t.sendInspectorState(q),t.getSettings().logStoreChanges&&L(`"${e.$id}" store installed 🆕`)}))}(t,e)}const Q=()=>{};function X(t,e,n,s=Q){t.push(e);const i=()=>{const n=t.indexOf(e);n>-1&&(t.splice(n,1),s())};return!n&&(0,r.getCurrentScope)()&&(0,r.onScopeDispose)(i),i}function tt(t,...e){t.slice().forEach((t=>{t(...e)}))}const et=t=>t();function nt(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];w(i)&&w(s)&&t.hasOwnProperty(n)&&!(0,r.isRef)(s)&&!(0,r.isReactive)(s)?t[n]=nt(i,s):t[n]=s}return t}const st=Symbol(),it=new WeakMap,{assign:rt}=Object;function at(t,e,n={},s,i,o){let l;const c=rt({actions:{}},n),u={deep:!0};let d,m,p,f=[],g=[];const A=s.state.value[t];o||A||(a?(0,r.set)(s.state.value,t,{}):s.state.value[t]={});const v=(0,r.ref)({});let C;function x(e){let n;d=m=!1,"function"==typeof e?(e(s.state.value[t]),n={type:y.patchFunction,storeId:t,events:p}):(nt(s.state.value[t],e),n={type:y.patchObject,payload:e,storeId:t,events:p});const i=C=Symbol();(0,r.nextTick)().then((()=>{C===i&&(d=!0)})),m=!0,tt(f,n,s.state.value[t])}const _=o?function(){const{state:t}=n,e=t?t():{};this.$patch((t=>{rt(t,e)}))}:Q;function T(e,n){return function(){h(s);const i=Array.from(arguments),r=[],a=[];let o;tt(g,{args:i,name:e,store:S,after:function(t){r.push(t)},onError:function(t){a.push(t)}});try{o=n.apply(this&&this.$id===t?this:S,i)}catch(t){throw tt(a,t),t}return o instanceof Promise?o.then((t=>(tt(r,t),t))).catch((t=>(tt(a,t),Promise.reject(t)))):(tt(r,o),o)}}const E=(0,r.markRaw)({actions:{},getters:{},state:[],hotState:v}),k={_p:s,$id:t,$onAction:X.bind(null,g),$patch:x,$reset:_,$subscribe(e,n={}){const i=X(f,e,n.detached,(()=>a())),a=l.run((()=>(0,r.watch)((()=>s.state.value[t]),(s=>{("sync"===n.flush?m:d)&&e({storeId:t,type:y.direct,events:p},s)}),rt({},u,n))));return i},$dispose:function(){l.stop(),f=[],g=[],s._s.delete(t)}};a&&(k._r=!1);const S=(0,r.reactive)(b?rt({_hmrPayload:E,_customProperties:(0,r.markRaw)(new Set)},k):k);s._s.set(t,S);const L=(s._a&&s._a.runWithContext||et)((()=>s._e.run((()=>(l=(0,r.effectScope)()).run(e)))));for(const e in L){const n=L[e];if((0,r.isRef)(n)&&(I=n,!(0,r.isRef)(I)||!I.effect)||(0,r.isReactive)(n))o||(!A||(N=n,a?it.has(N):w(N)&&N.hasOwnProperty(st))||((0,r.isRef)(n)?n.value=A[e]:nt(n,A[e])),a?(0,r.set)(s.state.value[t],e,n):s.state.value[t][e]=n);else if("function"==typeof n){const t=T(e,n);a?(0,r.set)(L,e,t):L[e]=t,c.actions[e]=n}}var N,I;if(a?Object.keys(L).forEach((t=>{(0,r.set)(S,t,L[t])})):(rt(S,L),rt((0,r.toRaw)(S),L)),Object.defineProperty(S,"$state",{get:()=>s.state.value[t],set:t=>{x((e=>{rt(e,t)}))}}),b){const t={writable:!0,configurable:!0,enumerable:!1};["_p","_hmrPayload","_getters","_customProperties"].forEach((e=>{Object.defineProperty(S,e,rt({value:S[e]},t))}))}return a&&(S._r=!0),s._p.forEach((t=>{if(b){const e=l.run((()=>t({store:S,app:s._a,pinia:s,options:c})));Object.keys(e||{}).forEach((t=>S._customProperties.add(t))),rt(S,e)}else rt(S,l.run((()=>t({store:S,app:s._a,pinia:s,options:c}))))})),A&&o&&n.hydrate&&n.hydrate(S.$state,A),d=!0,m=!0,S}function ot(t,e,n){let s,i;const o="function"==typeof e;function l(t,n){const l=!!(0,r.getCurrentInstance)();return(t=t||(l?(0,r.inject)(A,null):null))&&h(t),(t=g)._s.has(s)||(o?at(s,e,i,t):function(t,e,n,s){const{state:i,actions:o,getters:l}=e,c=n.state.value[t];let u;u=at(t,(function(){c||(a?(0,r.set)(n.state.value,t,i?i():{}):n.state.value[t]=i?i():{});const e=(0,r.toRefs)(n.state.value[t]);return rt(e,o,Object.keys(l||{}).reduce(((e,s)=>(e[s]=(0,r.markRaw)((0,r.computed)((()=>{h(n);const e=n._s.get(t);if(!a||e._r)return l[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),l.$id=s,l}var lt=s(5656),ct=s(77958),ut=s(79753);const dt="%[a-f0-9]{2}",mt=new RegExp("("+dt+")|([^%]+?)","gi"),pt=new RegExp("("+dt+")+","gi");function ft(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([],ft(n),ft(s))}function gt(t){try{return decodeURIComponent(t)}catch{let e=t.match(mt)||[];for(let n=1;nnull==t,yt=t=>encodeURIComponent(t).replace(/[!'()*]/g,(t=>`%${t.charCodeAt(0).toString(16).toUpperCase()}`)),vt=Symbol("encodeFragmentIdentifier");function bt(t){if("string"!=typeof t||1!==t.length)throw new TypeError("arrayFormatSeparator must be single character string")}function Ct(t,e){return e.encode?e.strict?yt(t):encodeURIComponent(t):t}function xt(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=pt.exec(t);for(;n;){try{e[n[0]]=decodeURIComponent(n[0])}catch{const t=gt(n[0]);t!==n[0]&&(e[n[0]]=t)}n=pt.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 _t(t){return Array.isArray(t)?t.sort():"object"==typeof t?_t(Object.keys(t)).sort(((t,e)=>Number(t)-Number(e))).map((e=>t[e])):t}function Tt(t){const e=t.indexOf("#");return-1!==e&&(t=t.slice(0,e)),t}function Et(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 kt(t){const e=(t=Tt(t)).indexOf("?");return-1===e?"":t.slice(e+1)}function St(t,e){bt((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&&xt(n,t).includes(t.arrayFormatSeparator);n=r?xt(n,t):n;const a=i||r?n.split(t.arrayFormatSeparator).map((e=>xt(e,t))):null===n?n:xt(n,t);s[e]=a};case"bracket-separator":return(e,n,s)=>{const i=/(\[])$/.test(e);if(e=e.replace(/\[]$/,""),!i)return void(s[e]=n?xt(n,t):n);const r=null===n?[]:n.split(t.arrayFormatSeparator).map((e=>xt(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,a]=ht(t,"=");void 0===r&&(r=t),a=void 0===a?null:["comma","separator","bracket-separator"].includes(e.arrayFormat)?a:xt(a,e),n(xt(r,e),a,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]=Et(s,e);else s[t]=Et(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 Boolean(n)&&"object"==typeof n&&!Array.isArray(n)?t[e]=_t(n):t[e]=n,t}),Object.create(null))}function Lt(t,e){if(!t)return"";bt((e={encode:!0,strict:!0,arrayFormat:"none",arrayFormatSeparator:",",...e}).arrayFormatSeparator);const n=n=>e.skipNull&&wt(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,[Ct(e,t),"[",i,"]"].join("")]:[...n,[Ct(e,t),"[",Ct(i,t),"]=",Ct(s,t)].join("")]};case"bracket":return e=>(n,s)=>void 0===s||t.skipNull&&null===s||t.skipEmptyString&&""===s?n:null===s?[...n,[Ct(e,t),"[]"].join("")]:[...n,[Ct(e,t),"[]=",Ct(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,[Ct(e,t),":list="].join("")]:[...n,[Ct(e,t),":list=",Ct(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?[[Ct(n,t),e,Ct(i,t)].join("")]:[[s,Ct(i,t)].join(t.arrayFormatSeparator)])}default:return e=>(n,s)=>void 0===s||t.skipNull&&null===s||t.skipEmptyString&&""===s?n:null===s?[...n,Ct(e,t)]:[...n,[Ct(e,t),"=",Ct(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?Ct(n,e):Array.isArray(i)?0===i.length&&"bracket-separator"===e.arrayFormat?Ct(n,e)+"[]":i.reduce(s(n),[]).join("&"):Ct(n,e)+"="+Ct(i,e)})).filter((t=>t.length>0)).join("&")}function Nt(t,e){e={decode:!0,...e};let[n,s]=ht(t,"#");return void 0===n&&(n=t),{url:n?.split("?")?.[0]??"",query:St(kt(t),e),...e&&e.parseFragmentIdentifier&&s?{fragmentIdentifier:xt(s,e)}:{}}}function It(t,e){e={encode:!0,strict:!0,[vt]:!0,...e};const n=Tt(t.url).split("?")[0]||"";let s=Lt({...St(kt(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[vt]?s.hash:`#${t.fragmentIdentifier}`}return`${n}${s}${i}`}function Ft(t,e,n){n={parseFragmentIdentifier:!0,[vt]:!1,...n};const{url:s,query:i,fragmentIdentifier:r}=Nt(t,n);return It({url:s,query:At(i,e),fragmentIdentifier:r},n)}function Pt(t,e,n){return Ft(t,Array.isArray(e)?t=>!e.includes(t):(t,n)=>!e(t,n),n)}const Ot=i;var Bt=s(25108);function Dt(t,e){for(var n in e)t[n]=e[n];return t}var jt=/[!'()*]/g,Ut=function(t){return"%"+t.charCodeAt(0).toString(16)},Rt=/%2C/g,zt=function(t){return encodeURIComponent(t).replace(jt,Ut).replace(Rt,",")};function Mt(t){try{return decodeURIComponent(t)}catch(t){}return t}var Vt=function(t){return null==t||"object"==typeof t?t:String(t)};function $t(t){var e={};return(t=t.trim().replace(/^(\?|#|&)/,""))?(t.split("&").forEach((function(t){var n=t.replace(/\+/g," ").split("="),s=Mt(n.shift()),i=n.length>0?Mt(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 qt(t){var e=t?Object.keys(t).map((function(e){var n=t[e];if(void 0===n)return"";if(null===n)return zt(e);if(Array.isArray(n)){var s=[];return n.forEach((function(t){void 0!==t&&(null===t?s.push(zt(e)):s.push(zt(e)+"="+zt(t)))})),s.join("&")}return zt(e)+"="+zt(n)})).filter((function(t){return t.length>0})).join("&"):null;return e?"?"+e:""}var Ht=/\/?$/;function Gt(t,e,n,s){var i=s&&s.options.stringifyQuery,r=e.query||{};try{r=Zt(r)}catch(t){}var a={name:e.name||t&&t.name,meta:t&&t.meta||{},path:e.path||"/",hash:e.hash||"",query:r,params:e.params||{},fullPath:Kt(e,i),matched:t?Wt(t):[]};return n&&(a.redirectedFrom=Kt(n,i)),Object.freeze(a)}function Zt(t){if(Array.isArray(t))return t.map(Zt);if(t&&"object"==typeof t){var e={};for(var n in t)e[n]=Zt(t[n]);return e}return t}var Yt=Gt(null,{path:"/"});function Wt(t){for(var e=[];t;)e.unshift(t),t=t.parent;return e}function Kt(t,e){var n=t.path,s=t.query;void 0===s&&(s={});var i=t.hash;return void 0===i&&(i=""),(n||"/")+(e||qt)(s)+i}function Jt(t,e,n){return e===Yt?t===e:!!e&&(t.path&&e.path?t.path.replace(Ht,"")===e.path.replace(Ht,"")&&(n||t.hash===e.hash&&Qt(t.query,e.query)):!(!t.name||!e.name)&&t.name===e.name&&(n||t.hash===e.hash&&Qt(t.query,e.query)&&Qt(t.params,e.params)))}function Qt(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 a=e[n];return null==r||null==a?r===a:"object"==typeof r&&"object"==typeof a?Qt(r,a):String(r)===String(a)}))}function Xt(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||"/",u=l.path?ne(l.path,c,n||i.append):c,d=function(t,e,n){void 0===e&&(e={});var s,i=n||$t;try{s=i(t||"")}catch(t){s={}}for(var r in e){var a=e[r];s[r]=Array.isArray(a)?a.map(Vt):Vt(a)}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:u,query:d,hash:m}}var be,Ce=function(){},xe={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,a=i.route,o=i.href,l={},c=n.options.linkActiveClass,u=n.options.linkExactActiveClass,d=null==c?"router-link-active":c,m=null==u?"router-link-exact-active":u,p=null==this.activeClass?d:this.activeClass,f=null==this.exactActiveClass?m:this.exactActiveClass,g=a.redirectedFrom?Gt(null,ve(a.redirectedFrom),null,n):a;l[f]=Jt(s,g,this.exactPath),l[p]=this.exact||this.exactPath?l[f]:function(t,e){return 0===t.path.replace(Ht,"/").indexOf(e.path.replace(Ht,"/"))&&(!e.hash||t.hash===e.hash)&&function(t,e){for(var n in e)if(!(n in t))return!1;return!0}(t.query,e.query)}(s,g);var h=l[f]?this.ariaCurrentValue:null,A=function(t){_e(t)&&(e.replace?n.replace(r,Ce):n.push(r,Ce))},w={click:_e};Array.isArray(this.event)?this.event.forEach((function(t){w[t]=A})):w[this.event]=A;var y={class:l},v=!this.$scopedSlots.$hasNormal&&this.$scopedSlots.default&&this.$scopedSlots.default({href:o,route:a,navigate:A,isActive:l[p],isExactActive:l[f]});if(v){if(1===v.length)return v[0];if(v.length>1||!v.length)return 0===v.length?t():t("span",{},v)}if("a"===this.tag)y.on=w,y.attrs={href:o,"aria-current":h};else{var b=Te(this.$slots.default);if(b){b.isStatic=!1;var C=b.data=Dt({},b.data);for(var x in C.on=C.on||{},C.on){var _=C.on[x];x in w&&(C.on[x]=Array.isArray(_)?_:[_])}for(var T in w)T in C.on?C.on[T].push(w[T]):C.on[T]=A;var E=b.data.attrs=Dt({},b.data.attrs);E.href=o,E["aria-current"]=h}else y.on=w}return t(this.tag,y,this.$slots.default)}};function _e(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 Te(t){if(t)for(var e,n=0;n-1&&(l.params[m]=n.params[m]);return l.path=ye(u.path,l.params),o(u,l,a)}if(l.path){l.params={};for(var p=0;p-1}function nn(t,e){return en(t)&&t._isRouter&&(null==e||t.type===e)}function sn(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 rn(t,e){return an(t.map((function(t){return Object.keys(t.components).map((function(n){return e(t.components[n],t.instances[n],t,n)}))})))}function an(t){return Array.prototype.concat.apply([],t)}var on="function"==typeof Symbol&&"symbol"==typeof Symbol.toStringTag;function ln(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 cn=function(t,e){this.router=t,this.base=function(t){if(!t)if(Ee){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=Yt,this.pending=null,this.ready=!1,this.readyCbs=[],this.readyErrorCbs=[],this.errorCbs=[],this.listeners=[]};function un(t,e,n,s){var i=rn(t,(function(t,s,i,r){var a=function(t,e){return"function"!=typeof t&&(t=be.extend(t)),t.options[e]}(t,e);if(a)return Array.isArray(a)?a.map((function(t){return n(t,s,i,r)})):n(a,s,i,r)}));return an(s?i.reverse():i)}function dn(t,e){if(e)return function(){return t.apply(e,arguments)}}cn.prototype.listen=function(t){this.cb=t},cn.prototype.onReady=function(t,e){this.ready?t():(this.readyCbs.push(t),e&&this.readyErrorCbs.push(e))},cn.prototype.onError=function(t){this.errorCbs.push(t)},cn.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&&(nn(t,Je.redirected)&&r===Yt||(i.ready=!0,i.readyErrorCbs.forEach((function(e){e(t)}))))}))},cn.prototype.confirmTransition=function(t,e,n){var s=this,i=this.current;this.pending=t;var r,a,o=function(t){!nn(t)&&en(t)&&(s.errorCbs.length?s.errorCbs.forEach((function(e){e(t)})):Bt.error(t)),n&&n(t)},l=t.matched.length-1,c=i.matched.length-1;if(Jt(t,i)&&l===c&&t.matched[l]===i.matched[c])return this.ensureURL(),t.hash&&Re(this.router,i,t,!1),o(((a=Xe(r=i,t,Je.duplicated,'Avoided redundant navigation to current location: "'+r.fullPath+'".')).name="NavigationDuplicated",a));var u,d=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=Ye&&n;s&&this.listeners.push(Ue());var i=function(){var n=t.current,i=pn(t.base);t.current===Yt&&i===t._startLocation||t.transitionTo(i,(function(t){s&&Re(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){We(se(s.base+t.fullPath)),Re(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){Ke(se(s.base+t.fullPath)),Re(s.router,t,i,!1),e&&e(t)}),n)},e.prototype.ensureURL=function(t){if(pn(this.base)!==this.current.fullPath){var e=se(this.base+this.current.fullPath);t?We(e):Ke(e)}},e.prototype.getCurrentLocation=function(){return pn(this.base)},e}(cn);function pn(t){var e=window.location.pathname,n=e.toLowerCase(),s=t.toLowerCase();return!t||n!==s&&0!==n.indexOf(se(s+"/"))||(e=e.slice(t.length)),(e||"/")+window.location.search+window.location.hash}var fn=function(t){function e(e,n,s){t.call(this,e,n),s&&function(t){var e=pn(t);if(!/^\/#/.test(e))return window.location.replace(se(t+"/#"+e)),!0}(this.base)||gn()}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=Ye&&e;n&&this.listeners.push(Ue());var s=function(){var e=t.current;gn()&&t.transitionTo(hn(),(function(s){n&&Re(t.router,s,e,!0),Ye||yn(s.fullPath)}))},i=Ye?"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){wn(t.fullPath),Re(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){yn(t.fullPath),Re(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;hn()!==e&&(t?wn(e):yn(e))},e.prototype.getCurrentLocation=function(){return hn()},e}(cn);function gn(){var t=hn();return"/"===t.charAt(0)||(yn("/"+t),!1)}function hn(){var t=window.location.href,e=t.indexOf("#");return e<0?"":t=t.slice(e+1)}function An(t){var e=window.location.href,n=e.indexOf("#");return(n>=0?e.slice(0,n):e)+"#"+t}function wn(t){Ye?We(An(t)):window.location.hash=t}function yn(t){Ye?Ke(An(t)):window.location.replace(An(t))}var vn=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){nn(t,Je.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}(cn),bn=function(t){void 0===t&&(t={}),this.app=null,this.apps=[],this.options=t,this.beforeHooks=[],this.resolveHooks=[],this.afterHooks=[],this.matcher=Ne(t.routes||[],this);var e=t.mode||"hash";switch(this.fallback="history"===e&&!Ye&&!1!==t.fallback,this.fallback&&(e="hash"),Ee||(e="abstract"),this.mode=e,e){case"history":this.history=new mn(this,t.base);break;case"hash":this.history=new fn(this,t.base,this.fallback);break;case"abstract":this.history=new vn(this,t.base)}},Cn={currentRoute:{configurable:!0}};bn.prototype.match=function(t,e,n){return this.matcher.match(t,e,n)},Cn.currentRoute.get=function(){return this.history&&this.history.current},bn.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 mn||n instanceof fn){var s=function(t){n.setupListeners(),function(t){var s=n.current,i=e.options.scrollBehavior;Ye&&i&&"fullPath"in t&&Re(e,t,s,!1)}(t)};n.transitionTo(n.getCurrentLocation(),s,s)}n.listen((function(t){e.apps.forEach((function(e){e._route=t}))}))}},bn.prototype.beforeEach=function(t){return _n(this.beforeHooks,t)},bn.prototype.beforeResolve=function(t){return _n(this.resolveHooks,t)},bn.prototype.afterEach=function(t){return _n(this.afterHooks,t)},bn.prototype.onReady=function(t,e){this.history.onReady(t,e)},bn.prototype.onError=function(t){this.history.onError(t)},bn.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)},bn.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)},bn.prototype.go=function(t){this.history.go(t)},bn.prototype.back=function(){this.go(-1)},bn.prototype.forward=function(){this.go(1)},bn.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]}))}))):[]},bn.prototype.resolve=function(t,e,n){var s=ve(t,e=e||this.history.current,n,this),i=this.match(s,e),r=i.redirectedFrom||i.fullPath,a=function(t,e,n){var s="hash"===n?"#"+e:e;return t?se(t+"/"+s):s}(this.history.base,r,this.mode);return{location:s,route:i,href:a,normalizedTo:s,resolved:i}},bn.prototype.getRoutes=function(){return this.matcher.getRoutes()},bn.prototype.addRoute=function(t,e){this.matcher.addRoute(t,e),this.history.current!==Yt&&this.history.transitionTo(this.history.getCurrentLocation())},bn.prototype.addRoutes=function(t){this.matcher.addRoutes(t),this.history.current!==Yt&&this.history.transitionTo(this.history.getCurrentLocation())},Object.defineProperties(bn.prototype,Cn);var xn=bn;function _n(t,e){return t.push(e),function(){var n=t.indexOf(e);n>-1&&t.splice(n,1)}}bn.install=function t(e){if(!t.installed||be!==e){t.installed=!0,be=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",te),e.component("RouterLink",xe);var i=e.config.optionMergeStrategies;i.beforeRouteEnter=i.beforeRouteLeave=i.beforeRouteUpdate=i.created}},bn.version="3.6.5",bn.isNavigationFailure=nn,bn.NavigationFailureType=Je,bn.START_LOCATION=Yt,Ee&&window.Vue&&window.Vue.use(bn),r.default.use(xn);const Tn=xn.prototype.push;xn.prototype.push=function(t,e,n){return e||n?Tn.call(this,t,e,n):Tn.call(this,t).catch((t=>t))};const En=new xn({mode:"history",base:(0,ut.generateUrl)("/apps/files"),linkActiveClass:"active",routes:[{path:"/",redirect:{name:"filelist"}},{path:"/:view/:fileid?",name:"filelist",props:!0}],stringifyQuery(t){const e=Ot.stringify(t).replace(/%2F/gim,"/");return e?"?"+e:""}});function kn(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 Sn=s(25108);var Ln=s(6134),Nn=s(69183),In=s(31352),Fn=s(69608),Pn=s(44792),On=s(51900);const Bn=(0,On.Z)(Pn.Z,Fn.s,Fn.x,!1,null,null,null).exports;var Dn=s(57084),jn=s(26640),Un=s(46226),Rn=s(43554);var zn=s(93664);const Mn=(0,Rn.j)("files","viewConfigs",{}),Vn=function(){const t=ot("viewconfig",{state:()=>({viewConfig:Mn}),getters:{getConfig:t=>e=>t.viewConfig[e]||{}},actions:{onUpdate(t,e,n){this.viewConfig[t]||r.default.set(this.viewConfig,t,{}),r.default.set(this.viewConfig[t],e,n)},async update(t,e,n){zn.Z.put((0,ut.generateUrl)(`/apps/files/api/v1/views/${t}/${e}`),{value:n}),(0,Nn.j8)("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,Nn.Ld)("files:viewconfig:updated",(function(t){let{view:n,key:s,value:i}=t;e.onUpdate(n,s,i)})),e._initialized=!0),e},$n=(0,s(17499).IY)().setApp("files").detectUser().build();function qn(t,e,n){var s,i=n||{},r=i.noTrailing,a=void 0!==r&&r,o=i.noLeading,l=void 0!==o&&o,c=i.debounceMode,u=void 0===c?void 0:c,d=!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(),a||(s=setTimeout(u?g:f,t))):f():!0!==a&&(s=setTimeout(u?g:f,void 0===u?t-c:t)))}return f.cancel=function(t){var e=(t||{}).upcomingOnly,n=void 0!==e&&e;p(),d=!n},f}var Hn=s(64024);const Gn={name:"ChartPieIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Zn=(0,On.Z)(Gn,(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,"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 Yn=s(29094);const Wn={name:"NavigationQuota",components:{ChartPie:Zn,NcAppNavigationItem:jn.Z,NcProgressBar:Yn.Z},data:()=>({loadingStorageStats:!1,storageStats:(0,Rn.j)("files","storageStats",null)}),computed:{storageStatsTitle(){const t=(0,lt.sS)(this.storageStats?.used,!1,!1),e=(0,lt.sS)(this.storageStats?.quota,!1,!1);return this.storageStats?.quota<0?this.t("files","{usedQuotaByte} used",{usedQuotaByte:t}):this.t("files","{used} of {quota} used",{used:t,quota:e})},storageStatsTooltip(){return this.storageStats.relative?this.t("files","{relative}% used",this.storageStats):""}},beforeMount(){setInterval(this.throttleUpdateStorageStats,6e4),(0,Nn.Ld)("files:node:created",this.throttleUpdateStorageStats),(0,Nn.Ld)("files:node:deleted",this.throttleUpdateStorageStats),(0,Nn.Ld)("files:node:moved",this.throttleUpdateStorageStats),(0,Nn.Ld)("files:node:updated",this.throttleUpdateStorageStats)},mounted(){this.storageStats?.free<=0&&this.showStorageFullWarning()},methods:{debounceUpdateStorageStats:(Kn={}.atBegin,qn(200,(function(t){this.updateStorageStats(t)}),{debounceMode:!1!==(void 0!==Kn&&Kn)})),throttleUpdateStorageStats:qn(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{const t=await zn.Z.get((0,ut.generateUrl)("/apps/files/api/v1/stats"));if(!t?.data?.data)throw new Error("Invalid storage stats");this.storageStats?.free>0&&t.data.data?.free<=0&&this.showStorageFullWarning(),this.storageStats=t.data.data}catch(n){$n.error("Could not refresh storage stats",{error:n}),e&&(0,Hn.x2)(t("files","Could not refresh storage stats"))}finally{this.loadingStorageStats=!1}}},showStorageFullWarning(){(0,Hn.x2)(this.t("files","Your storage is full, files can not be updated or synced anymore!"))},t:In.Iu}};var Kn,Jn=s(93379),Qn=s.n(Jn),Xn=s(7795),ts=s.n(Xn),es=s(90569),ns=s.n(es),ss=s(3565),is=s.n(ss),rs=s(19216),as=s.n(rs),os=s(44589),ls=s.n(os),cs=s(75136),us={};us.styleTagTransform=ls(),us.setAttributes=is(),us.insert=ns().bind(null,"head"),us.domAPI=ts(),us.insertStyleElement=as(),Qn()(cs.Z,us),cs.Z&&cs.Z.locals&&cs.Z.locals;const ds=(0,On.Z)(Wn,(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,"18ceb3ce",null).exports;var ms=s(5864),ps=s(28454),fs=s(9359);const gs={name:"ClipboardIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},hs=(0,On.Z)(gs,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon clipboard-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 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 As=s(31346);const ws={name:"Setting",props:{el:{type:Function,required:!0}},mounted(){this.$el.appendChild(this.el())}},ys=(0,On.Z)(ws,(function(){return(0,this._self._c)("div")}),[],!1,null,null,null).exports,vs=(0,Rn.j)("files","config",{show_hidden:!1,crop_image_previews:!0,sort_favorites_first:!0,grid_view:!1}),bs=function(){const t=ot("userconfig",{state:()=>({userConfig:vs}),actions:{onUpdate(t,e){r.default.set(this.userConfig,t,e)},async update(t,e){await zn.Z.put((0,ut.generateUrl)("/apps/files/api/v1/config/"+t),{value:e}),(0,Nn.j8)("files:config:updated",{key:t,value:e})}}})(...arguments);return t._initialized||((0,Nn.Ld)("files:config:updated",(function(e){let{key:n,value:s}=e;t.onUpdate(n,s)})),t._initialized=!0),t},Cs={name:"Settings",components:{Clipboard:hs,NcAppSettingsDialog:ms.N,NcAppSettingsSection:ps.Z,NcCheckboxRadioSwitch:fs.Z,NcInputField:As.Z,Setting:ys},props:{open:{type:Boolean,default:!1}},setup:()=>({userConfigStore:bs()}),data:()=>({settings:window.OCA?.Files?.Settings?.settings||[],webdavUrl:(0,ut.generateRemoteUrl)("dav/files/"+encodeURIComponent((0,ct.ts)()?.uid)),webdavDocs:"https://docs.nextcloud.com/server/stable/go.php?to=user-webdav",appPasswordUrl:(0,ut.generateUrl)("/settings/user/security#generate-app-token-section"),webdavUrlCopied:!1,enableGridView:(0,Rn.j)("core","config",[])["enable_non-accessible_features"]??!0}),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,Hn.s$)(t("files","WebDAV URL copied to clipboard")),setTimeout((()=>{this.webdavUrlCopied=!1}),5e3)):(0,Hn.x2)(t("files","Clipboard is not available"))},t:In.Iu}};var xs=s(79232),_s={};_s.styleTagTransform=ls(),_s.setAttributes=is(),_s.insert=ns().bind(null,"head"),_s.domAPI=ts(),_s.insertStyleElement=as(),Qn()(xs.Z,_s),xs.Z&&xs.Z.locals&&xs.Z.locals;const Ts=(0,On.Z)(Cs,(function(){var t=this,e=t._self._c;return e("NcAppSettingsDialog",{attrs:{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:{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:{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:{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:{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,"decd355e",null).exports,Es={name:"Navigation",components:{Cog:Bn,NavigationQuota:ds,NcAppNavigation:Dn.Z,NcAppNavigationItem:jn.Z,NcIconSvgWrapper:Un.Z,SettingsModal:Ts},setup:()=>({viewConfigStore:Vn()}),data:()=>({settingsOpened:!1}),computed:{currentViewId(){return this.$route?.params?.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!==e?.id&&(this.$navigation.setActive(t),$n.debug("Navigation changed",{id:t.id,view:t}),this.showView(t))}},beforeMount(){this.currentView&&($n.debug("Navigation mounted. Showing requested view",{view:this.currentView}),this.showView(this.currentView))},methods:{showView(t){window?.OCA?.Files?.Sidebar?.close?.(),this.$navigation.setActive(t),function(t){const e=document.getElementById("page-heading-level-1");e&&(e.textContent=t)}(t.name),(0,Nn.j8)("files:navigation:changed",t)},onToggleExpand(t){const e=this.isExpanded(t);t.expanded=!e,this.viewConfigStore.update(t.id,"expanded",!e)},isExpanded(t){return"boolean"==typeof this.viewConfigStore.getConfig(t.id)?.expanded?!0===this.viewConfigStore.getConfig(t.id).expanded:!0===t.expanded},generateToNavigation(t){if(t.params){const{dir:e,fileid:n}=t.params;return{name:"filelist",params:t.params,query:{dir:e,fileid:n}}}return{name:"filelist",params:{view:t.id}}},openSettings(){this.settingsOpened=!0},onSettingsClose(){this.settingsOpened=!1},t:In.Iu}};var ks=s(87533),Ss={};Ss.styleTagTransform=ls(),Ss.setAttributes=is(),Ss.insert=ns().bind(null,"head"),Ss.domAPI=ts(),Ss.insertStyleElement=as(),Qn()(ks.Z,Ss),ks.Z&&ks.Z.locals&&ks.Z.locals;const Ls=(0,On.Z)(Es,(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:!0,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:!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,"49c36efc",null).exports;var Ns=s(42515),Is=s(62520),Fs=function(t,e){return te?1:0},Ps=function(t,e){var n=t.localeCompare(e);return n?n/Math.abs(n):0},Os=/(^0x[\da-fA-F]+$|^([+-]?(?:\d+(?:\.\d*)?|\.\d+)(?:[eE][+-]?\d+)?(?!\.\d+)(?=\D|\s|$))|\d+)/g,Bs=/^\s+|\s+$/g,Ds=/\s+/g,js=/^[+-]?(?:\d+(?:\.\d*)?|\.\d+)(?:[eE][+-]?\d+)?$/,Us=/(^([\w ]+,?[\w ]+)?[\w ]+,?[\w ]+\d+:\d+(:\d+)?[\w ]?|^\d{1,4}[/-]\d{1,4}[/-]\d{1,4}|^\w+, \w+ \d+, \d{4})/,Rs=/^0+[1-9]{1}[0-9]*$/,zs=/[^\x00-\x80]/,Ms=function(t,e){return te?1:0},Vs=function(t){return t.replace(Ds," ").replace(Bs,"")},$s=function(t){if(0!==t.length){var e=Number(t);if(!Number.isNaN(e))return e}},qs=function(t,e,n){if(js.test(t)&&(!Rs.test(t)||0===e||"."!==n[e-1]))return $s(t)||0},Hs=function(t,e,n){return{parsedNumber:qs(t,e,n),normalizedString:Vs(t)}},Gs=function(t){var e=function(t){return t.replace(Os,"\0$1\0").replace(/\0$/,"").replace(/^\0/,"").split("\0")}(t).map(Hs);return e},Zs=function(t){return"function"==typeof t},Ys=function(t){return Number.isNaN(t)||t instanceof Number&&Number.isNaN(t.valueOf())},Ws=function(t){return null===t},Ks=function(t){return!(null===t||"object"!=typeof t||Array.isArray(t)||t instanceof Number||t instanceof String||t instanceof Boolean||t instanceof Date)},Js=function(t){return"symbol"==typeof t},Qs=function(t){return void 0===t},Xs=function(t){if("string"==typeof t||t instanceof String||("number"==typeof t||t instanceof Number)&&!Ys(t)||"boolean"==typeof t||t instanceof Boolean||t instanceof Date){var e=function(t){return"boolean"==typeof t||t instanceof Boolean?Number(t).toString():"number"==typeof t||t instanceof Number?t.toString():t instanceof Date?t.getTime().toString():"string"==typeof t||t instanceof String?t.toLowerCase().replace(Bs,""):""}(t),n=function(t){var e=$s(t);return void 0!==e?e:function(t){try{var e=Date.parse(t);return!Number.isNaN(e)&&Us.test(t)?e:void 0}catch(t){return}}(t)}(e);return{parsedNumber:n,chunks:Gs(n?""+n:e),value:t}}return{isArray:Array.isArray(t),isFunction:Zs(t),isNaN:Ys(t),isNull:Ws(t),isObject:Ks(t),isSymbol:Js(t),isUndefined:Qs(t),value:t}},ti=function(t){return"function"==typeof t?t:function(e){if(Array.isArray(e)){var n=Number(t);if(Number.isInteger(n))return e[n]}else if(e&&"object"==typeof e){var s=Object.getOwnPropertyDescriptor(e,t);return null==s?void 0:s.value}return e}};function ei(t,e,n){if(!t||!Array.isArray(t))return[];var s=function(t){if(!t)return[];var e=Array.isArray(t)?[].concat(t):[t];return e.some((function(t){return"string"!=typeof t&&"number"!=typeof t&&"function"!=typeof t}))?[]:e}(e),i=function(t){if(!t)return[];var e=Array.isArray(t)?[].concat(t):[t];return e.some((function(t){return"asc"!==t&&"desc"!==t&&"function"!=typeof t}))?[]:e}(n);return function(t,e,n){var s=e.length?e.map(ti):[function(t){return t}],i=t.map((function(t,e){return{index:e,values:s.map((function(e){return e(t)})).map(Xs)}}));return i.sort((function(t,e){return function(t,e,n){for(var s=t.index,i=t.values,r=e.index,a=e.values,o=i.length,l=n.length,c=0;ci||s>i?n<=i?-1:1:0}(p.chunks,f.chunks):function(t,e){return(t.chunks?!e.chunks:e.chunks)?t.chunks?-1:1:(t.isNaN?!e.isNaN:e.isNaN)?t.isNaN?-1:1:(t.isSymbol?!e.isSymbol:e.isSymbol)?t.isSymbol?-1:1:(t.isObject?!e.isObject:e.isObject)?t.isObject?-1:1:(t.isArray?!e.isArray:e.isArray)?t.isArray?-1:1:(t.isFunction?!e.isFunction:e.isFunction)?t.isFunction?-1:1:(t.isNull?!e.isNull:e.isNull)?t.isNull?-1:1:0}(p,f));if(m)return m*("desc"===u?-1:1)}}var p,f;return s-r}(t,e,n)})),i.map((function(e){return function(t,e){return t[e]}(t,e.index)}))}(t,s,i)}var ni=s(5055),si=s(41922),ii=s(99125),ri=s(90207);const ai={name:"FormatListBulletedSquareIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},oi=(0,On.Z)(ai,(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,"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 li=s(81040),ci=s(29497),ui=s(52506),di=s(87604),mi=s(81755);const pi={name:"ShareVariantIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},fi=(0,On.Z)(pi,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon share-variant-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 24 24"}},[e("path",{attrs:{d:"M18,16.08C17.24,16.08 16.56,16.38 16.04,16.85L8.91,12.7C8.96,12.47 9,12.24 9,12C9,11.76 8.96,11.53 8.91,11.3L15.96,7.19C16.5,7.69 17.21,8 18,8A3,3 0 0,0 21,5A3,3 0 0,0 18,2A3,3 0 0,0 15,5C15,5.24 15.04,5.47 15.09,5.7L8.04,9.81C7.5,9.31 6.79,9 6,9A3,3 0 0,0 3,12A3,3 0 0,0 6,15C6.79,15 7.5,14.69 8.04,14.19L15.16,18.34C15.11,18.55 15.08,18.77 15.08,19C15.08,20.61 16.39,21.91 18,21.91C19.61,21.91 20.92,20.61 20.92,19A2.92,2.92 0 0,0 18,16.08Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports,gi={name:"ViewGridIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},hi=(0,On.Z)(gi,(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,"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 Ai=s(48250);const wi=new lt.p$({id:"details",displayName:()=>(0,In.Iu)("files","Open details"),iconSvgInline:()=>Ai,enabled:t=>1===t.length&&!!t[0]&&!!window?.OCA?.Files?.Sidebar&&((t[0].root?.startsWith("/files/")&&t[0].permissions!==lt.y3.NONE)??!1),async exec(t,e,n){try{return await window.OCA.Files.Sidebar.open(t.path),window.OCP.Files.Router.goToRoute(null,{view:e.id,fileid:t.fileid},{dir:n},!0),null}catch(t){return $n.error("Error while opening sidebar",{error:t}),!1}},order:-50}),yi=function(){const t=ot("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):($n.error("Trying to update/set a node without fileid",e),t)),{});r.default.set(this,"files",{...this.files,...e})},deleteNodes(t){t.forEach((t=>{t.fileid&&r.default.delete(this.files,t.fileid)}))},setRoot(t){let{service:e,root:n}=t;r.default.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,Nn.Ld)("files:node:created",t.onCreatedNode),(0,Nn.Ld)("files:node:deleted",t.onDeletedNode),(0,Nn.Ld)("files:node:updated",t.onUpdatedNode),t._initialized=!0),t},vi=function(){const t=yi(),e=ot("paths",{state:()=>({paths:{}}),getters:{getPath:t=>(e,n)=>{if(t.paths[e])return t.paths[e][n]}},actions:{addPath(t){this.paths[t.service]||r.default.set(this.paths,t.service,{}),r.default.set(this.paths[t.service],t.path,t.fileid)},onCreatedNode(e){const n=(0,lt.Ti)()?.active?.id||"files";if(e.fileid){if(e.type===lt.Tv.Folder&&this.addPath({service:n,path:e.path,fileid:e.fileid}),"/"===e.dirname){const s=t.getRoot(n);return s._children||r.default.set(s,"_children",[]),void s._children.push(e.fileid)}if(this.paths[n][e.dirname]){const s=this.paths[n][e.dirname],i=t.getNode(s);return $n.debug("Path already exists, updating children",{parentFolder:i,node:e}),i?(i._children||r.default.set(i,"_children",[]),void i._children.push(e.fileid)):void $n.error("Parent folder not found",{parentId:s})}$n.debug("Parent path does not exists, skipping children update",{node:e})}else $n.error("Node has no fileid",{node:e})}}})(...arguments);return e._initialized||((0,Nn.Ld)("files:node:created",e.onCreatedNode),e._initialized=!0),e},bi=ot("selection",{state:()=>({selected:[],lastSelection:[],lastSelectedIndex:null}),actions:{set(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];r.default.set(this,"selected",[...new Set(t)])},setLastIndex(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:null;r.default.set(this,"lastSelection",t?this.selected:[]),r.default.set(this,"lastSelectedIndex",t)},reset(){r.default.set(this,"selected",[]),r.default.set(this,"lastSelection",[]),r.default.set(this,"lastSelectedIndex",null)}}});let Ci;const xi={name:"HomeIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},_i=(0,On.Z)(xi,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon home-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 24 24"}},[e("path",{attrs:{d:"M10,20V14H14V20H19V12H22L12,3L2,12H5V20H10Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports;var Ti=s(6773),Ei=s(19148);const ki=(0,r.defineComponent)({name:"BreadCrumbs",components:{Home:_i,NcBreadcrumbs:Ei.N,NcBreadcrumb:Ti.N},props:{path:{type:String,default:"/"}},setup:()=>({filesStore:yi(),pathsStore:vi()}),computed:{currentView(){return this.$navigation.active},dirs(){var t;return["/",...this.path.split("/").filter(Boolean).map((t="/",e=>t+=`${e}/`)).map((t=>t.replace(/^(.+)\/$/,"$1")))]},sections(){return this.dirs.map((t=>{const e=this.getFileIdFromPath(t),n={...this.$route,params:{fileid:e},query:{dir:t}};return{dir:t,exact:!0,name:this.getDirDisplayName(t),to:n}}))}},methods:{getNodeFromId(t){return this.filesStore.getNode(t)},getFileIdFromPath(t){return this.pathsStore.getPath(this.currentView?.id,t)},getDirDisplayName(t){if("/"===t)return(0,In.Iu)("files","Home");const e=this.getFileIdFromPath(t),n=e?this.getNodeFromId(e):void 0;return n?.attributes?.displayName||(0,Is.basename)(t)},onClick(t){t?.query?.dir===this.$route.query.dir&&this.$emit("reload")},titleForSection(t,e){return e?.to?.query?.dir===this.$route.query.dir?(0,In.Iu)("files","Reload current directory"):0===t?(0,In.Iu)("files",'Go to the "{dir}" directory',e):null},ariaForSection(t){return t?.to?.query?.dir===this.$route.query.dir?(0,In.Iu)("files","Reload current directory"):null},t:In.Iu}});var Si=s(60393),Li={};Li.styleTagTransform=ls(),Li.setAttributes=is(),Li.insert=ns().bind(null,"head"),Li.domAPI=ts(),Li.insertStyleElement=as(),Qn()(Si.Z,Li),Si.Z&&Si.Z.locals&&Si.Z.locals;const Ni=(0,On.Z)(ki,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("NcBreadcrumbs",{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,title:t.titleForSection(s,n),"aria-description":t.ariaForSection(n)},nativeOn:{click:function(e){return t.onClick(n.to)}},scopedSlots:t._u([0===s?{key:"icon",fn:function(){return[e("Home",{attrs:{size:20}})]},proxy:!0}:null],null,!0)},"NcBreadcrumb",n,!1))})),1)}),[],!1,null,"1c4866bc",null).exports,Ii=t=>{const e=t.filter((t=>t.type===lt.Tv.File)).length,n=t.filter((t=>t.type===lt.Tv.Folder)).length;return 0===e?(0,In.uN)("files","{folderCount} folder","{folderCount} folders",n,{folderCount:n}):0===n?(0,In.uN)("files","{fileCount} file","{fileCount} files",e,{fileCount:e}):1===e?(0,In.uN)("files","1 file and {folderCount} folder","1 file and {folderCount} folders",n,{folderCount:n}):1===n?(0,In.uN)("files","{fileCount} file and 1 folder","{fileCount} files and 1 folder",e,{fileCount:e}):(0,In.Iu)("files","{fileCount} files and {folderCount} folders",{fileCount:e,folderCount:n})};var Fi=s(52925),Pi=s(80351),Oi=s.n(Pi);const Bi={name:"FileMultipleIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Di=(0,On.Z)(Bi,(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,"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;var ji=s(81456),Ui=s(65720);const Ri=(0,On.Z)(Ui.Z,ji.s,ji.x,!1,null,null,null).exports,zi=r.default.extend({name:"DragAndDropPreview",components:{FileMultipleIcon:Di,FolderIcon:Ri},data:()=>({nodes:[]}),computed:{isSingleNode(){return 1===this.nodes.length},isSingleFolder(){return this.isSingleNode&&this.nodes[0].type===lt.Tv.Folder},name(){return this.size?`${this.summary} – ${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,lt.sS)(e,!0)},summary(){if(this.isSingleNode){const t=this.nodes[0];return t.attributes?.displayName||t.basename}return Ii(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="${t.fileid}"] .files-list__row-icon img`);e&&this.$refs.previewImg.appendChild(e.parentNode.cloneNode(!0))})),this.$nextTick((()=>{this.$emit("loaded",this.$el)}))}}}),Mi=zi;var Vi=s(50262),$i={};$i.styleTagTransform=ls(),$i.setAttributes=is(),$i.insert=ns().bind(null,"head"),$i.domAPI=ts(),$i.insertStyleElement=as(),Qn()(Vi.Z,$i),Vi.Z&&Vi.Z.locals&&Vi.Z.locals;const qi=(0,On.Z)(Mi,(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,Hi=r.default.extend(qi);let Gi;const Zi=async t=>new Promise((e=>{Gi||(Gi=(new Hi).$mount(),document.body.appendChild(Gi.$el)),Gi.update(t),Gi.$on("loaded",(()=>{e(Gi.$el),Gi.$off("loaded")}))}));var Yi=s(51473),Wi={};Wi.styleTagTransform=ls(),Wi.setAttributes=is(),Wi.insert=ns().bind(null,"head"),Wi.domAPI=ts(),Wi.insertStyleElement=as(),Qn()(Yi.Z,Wi),Yi.Z&&Yi.Z.locals&&Yi.Z.locals;var Ki=s(51120);const{Axios:Ji,AxiosError:Qi,CanceledError:Xi,isCancel:tr,CancelToken:er,VERSION:nr,all:sr,Cancel:ir,isAxiosError:rr,spread:ar,toFormData:or,AxiosHeaders:lr,HttpStatusCode:cr,formToJSON:ur,getAdapter:dr,mergeConfig:mr}=Ki.default;var pr=s(59546),fr=s(96384),gr=s(59440);let hr;const Ar=()=>(hr||(hr=new gr.Z({concurrency:3})),hr);var wr;!function(t){t.MOVE="Move",t.COPY="Copy",t.MOVE_OR_COPY="move-or-copy"}(wr||(wr={}));const yr=t=>0!=(t.reduce(((t,e)=>Math.min(t,e.permissions)),lt.y3.ALL)<.y3.UPDATE),vr=t=>(t=>t.every((t=>!JSON.parse(t.attributes?.["share-attributes"]??"[]").some((t=>"permissions"===t.scope&&!1===t.enabled&&"download"===t.key)))))(t),br=t=>yr(t)?vr(t)?wr.MOVE_OR_COPY:wr.MOVE:wr.COPY,Cr=async function(t,e,n){let s=arguments.length>3&&void 0!==arguments[3]&&arguments[3];if(!e)return;if(e.type!==lt.Tv.Folder)throw new Error((0,In.Iu)("files","Destination is not a folder"));if(n===wr.MOVE&&t.dirname===e.path)throw new Error((0,In.Iu)("files","This file/folder is already in that directory"));if(`${e.path}/`.startsWith(`${t.path}/`))throw new Error((0,In.Iu)("files","You cannot move a file/folder onto itself or into a subfolder of itself"));r.default.set(t,"status",lt.e4.LOADING);const i=Ar();return await i.add((async()=>{const i=t=>1===t?(0,In.Iu)("files","(copy)"):(0,In.Iu)("files","(copy %n)",void 0,t);try{const r=(0,lt.rp)(),a=(0,Is.join)(lt._o,t.path),o=(0,Is.join)(lt._o,e.path);if(n===wr.COPY){let n=t.basename;if(!s){const e=await r.getDirectoryContents(o);n=function(t,e){let n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:t=>`(${t})`,s=t,i=1;for(;e.includes(s);){const e=(0,Is.extname)(t);s=`${(0,Is.basename)(t,e)} ${n(i++)}${e}`}return s}(t.basename,e.map((t=>t.basename)),i)}if(await r.copyFile(a,(0,Is.join)(o,n)),t.dirname===e.path){const{data:t}=await r.stat((0,Is.join)(o,n),{details:!0,data:(0,lt.h7)()});(0,Nn.j8)("files:node:created",(0,lt.RL)(t))}}else await r.moveFile(a,(0,Is.join)(o,t.basename)),(0,Nn.j8)("files:node:deleted",t)}catch(t){if(t instanceof Qi){if(412===t?.response?.status)throw new Error((0,In.Iu)("files","A file or folder with that name already exists in this folder"));if(423===t?.response?.status)throw new Error((0,In.Iu)("files","The files is locked"));if(404===t?.response?.status)throw new Error((0,In.Iu)("files","The file does not exist anymore"));if(t.message)throw new Error(t.message)}throw $n.debug(t),new Error}finally{r.default.set(t,"status",void 0)}}))},xr=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,Hn.fn)((0,In.Iu)("files","Choose destination")).allowDirectories(!0).setFilter((t=>0!=(t.permissions<.y3.CREATE)&&!s.includes(t.fileid))).setMimeTypeFilter([]).setMultiSelect(!1).startAt(e);return new Promise(((e,s)=>{i.setButtonFactory(((s,i)=>{const r=[],a=(0,Is.basename)(i),o=n.map((t=>t.dirname)),l=n.map((t=>t.path));return t!==wr.COPY&&t!==wr.MOVE_OR_COPY||r.push({label:a?(0,In.Iu)("files","Copy to {target}",{target:a}):(0,In.Iu)("files","Copy"),type:"primary",icon:pr,async callback(t){e({destination:t[0],action:wr.COPY})}}),o.includes(i)||l.includes(i)||t!==wr.MOVE&&t!==wr.MOVE_OR_COPY||r.push({label:a?(0,In.Iu)("files","Move to {target}",{target:a}):(0,In.Iu)("files","Move"),type:t===wr.MOVE?"primary":"secondary",icon:fr,async callback(t){e({destination:t[0],action:wr.MOVE})}}),r})),i.build().pick().catch((t=>{$n.debug(t),s(new Error((0,In.Iu)("files","Cancelled move or copy operation")))}))}))},_r=(new lt.p$({id:"move-copy",displayName(t){switch(br(t)){case wr.MOVE:return(0,In.Iu)("files","Move");case wr.COPY:return(0,In.Iu)("files","Copy");case wr.MOVE_OR_COPY:return(0,In.Iu)("files","Move or copy")}},iconSvgInline:()=>fr,enabled:t=>!!t.every((t=>t.root?.startsWith("/files/")))&&t.length>0&&(yr(t)||vr(t)),async exec(t,e,n){const s=br([t]);let i;try{i=await xr(s,n,[t])}catch(t){return $n.error(t),!1}try{return await Cr(t,i.destination,i.action),!0}catch(t){return!!(t instanceof Error&&t.message)&&((0,Hn.x2)(t.message),null)}},async execBatch(t,e,n){const s=br(t),i=await xr(s,n,t),r=t.map((async t=>{try{return await Cr(t,i.destination,i.action),!0}catch(e){return $n.error(`Failed to ${i.action} node`,{node:t,error:e}),!1}}));return await Promise.all(r)},order:15}),function(t){return t.split("").reduce((function(t,e){return(t=(t<<5)-t+e.charCodeAt(0))&t}),0)}),Tr=ot("actionsmenu",{state:()=>({opened:null})}),Er=ot("dragging",{state:()=>({dragging:[]}),actions:{set(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];r.default.set(this,"dragging",t)},reset(){r.default.set(this,"dragging",[])}}}),kr=function(){const t=ot("renaming",{state:()=>({renamingNode:void 0,newName:""})})(...arguments);return t._initialized||((0,Nn.Ld)("files:node:rename",(function(e){t.renamingNode=e,t.newName=e.basename})),t._initialized=!0),t};var Sr=s(97947);const Lr={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()}}},Nr=(0,On.Z)(Lr,(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}}},Fr=(0,On.Z)(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,"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,Pr={name:"ChevronRightIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Or=(0,On.Z)(Pr,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon chevron-right-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 24 24"}},[e("path",{attrs:{d:"M8.59,16.58L13.17,12L8.59,7.41L10,6L16,12L10,18L8.59,16.58Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports;var Br=s(23928),Dr=s(61057),jr=s(81243);const Ur=(0,lt.Vn)(),Rr=r.default.extend({name:"FileEntryActions",components:{ArrowLeftIcon:Fr,ChevronRightIcon:Or,CustomElementRender:Nr,NcActionButton:Br.Z,NcActions:Dr.Z,NcActionSeparator:jr.Z,NcIconSvgWrapper:Un.Z,NcLoadingIcon:di.Z},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(){return(this.$route?.query?.dir?.toString()||"/").replace(/^(.+)\/$/,"$1")},currentView(){return this.$navigation.active},isLoading(){return this.source.status===lt.e4.LOADING},enabledActions(){return this.source.attributes.failed?[]:Ur.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=>t?.inline?.(this.source,this.currentView)))},enabledRenderActions(){return this.gridMode?[]:this.enabledActions.filter((t=>"function"==typeof t.renderInline))},enabledDefaultActions(){return this.enabledActions.filter((t=>!!t?.default))},enabledMenuActions(){if(this.openedSubmenu)return this.enabledInlineActions;const t=[...this.enabledInlineActions,...this.enabledActions.filter((t=>t.default!==lt.DT.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.enabledSubmenuActions[t.id])return void(this.openedSubmenu=t);const n=t.displayName([this.source],this.currentView);try{this.$emit("update:loading",t.id),r.default.set(this.source,"status",lt.e4.LOADING);const e=await t.exec(this.source,this.currentView,this.currentDir);if(null==e)return;if(e)return void(0,Hn.s$)((0,In.Iu)("files",'"{displayName}" action executed successfully',{displayName:n}));(0,Hn.x2)((0,In.Iu)("files",'"{displayName}" action failed',{displayName:n}))}catch(e){$n.error("Error while executing action",{action:t,e}),(0,Hn.x2)((0,In.Iu)("files",'"{displayName}" action failed',{displayName:n}))}finally{this.$emit("update:loading",""),r.default.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){return this.enabledSubmenuActions[t]?.length>0},t:In.Iu}}),zr=Rr;var Mr=s(15604),Vr={};Vr.styleTagTransform=ls(),Vr.setAttributes=is(),Vr.insert=ns().bind(null,"head"),Vr.domAPI=ts(),Vr.insertStyleElement=as(),Qn()(Mr.Z,Vr),Mr.Z&&Mr.Z.locals&&Mr.Z.locals;var $r=s(61707),qr={};qr.styleTagTransform=ls(),qr.setAttributes=is(),qr.insert=ns().bind(null,"head"),qr.domAPI=ts(),qr.insertStyleElement=as(),Qn()($r.Z,qr),$r.Z&&$r.Z.locals&&$r.Z.locals;var Hr=(0,On.Z)(zr,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("td",{staticClass:"files-list__row-actions",attrs:{"data-cy-files-list-row-actions":""}},[t._l(t.enabledRenderActions,(function(n){return e("CustomElementRender",{key:n.id,staticClass:"files-list__row-action--inline",class:"files-list__row-action-"+n.id,attrs:{"current-view":t.currentView,render:n.renderInline,source:t.source}})})),t._v(" "),e("NcActions",{ref:"actionsMenu",attrs:{"boundaries-element":t.getBoundariesElement,container:t.getBoundariesElement,disabled:t.isLoading||""!==t.loading,"force-name":!0,type:"tertiary","force-menu":0===t.enabledInlineActions.length,inline:t.enabledInlineActions.length,open:t.openedMenu},on:{"update:open":function(e){t.openedMenu=e},close:function(e){t.openedSubmenu=null}}},[t._l(t.enabledMenuActions,(function(n){return e("NcActionButton",{key:n.id,class:{[`files-list__row-action-${n.id}`]:!0,"files-list__row-action--menu":t.isMenu(n.id)},attrs:{"close-after-click":!t.isMenu(n.id),"data-cy-files-list-row-action":n.id,"is-menu":t.isMenu(n.id),title:n.title?.([t.source],t.currentView)},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.source],t.currentView)}})]},proxy:!0}],null,!0)},[t._v("\n\t\t\t"+t._s("shared"===t.mountType&&"sharing-status"===n.id?"":t.actionDisplayName(n))+"\n\t\t")])})),t._v(" "),t.openedSubmenu&&t.enabledSubmenuActions[t.openedSubmenu?.id]?[e("NcActionButton",{staticClass:"files-list__row-action-back",on:{click:function(e){t.openedSubmenu=null}},scopedSlots:t._u([{key:"icon",fn:function(){return[e("ArrowLeftIcon")]},proxy:!0}],null,!1,3001860362)},[t._v("\n\t\t\t\t"+t._s(t.actionDisplayName(t.openedSubmenu))+"\n\t\t\t")]),t._v(" "),e("NcActionSeparator"),t._v(" "),t._l(t.enabledSubmenuActions[t.openedSubmenu?.id],(function(n){return e("NcActionButton",{key:n.id,staticClass:"files-list__row-action--submenu",class:`files-list__row-action-${n.id}`,attrs:{"close-after-click":!1,"data-cy-files-list-row-action":n.id,title:n.title?.([t.source],t.currentView)},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.source],t.currentView)}})]},proxy:!0}],null,!0)},[t._v("\n\t\t\t\t"+t._s(t.actionDisplayName(n))+"\n\t\t\t")])}))]:t._e()],2)],2)}),[],!1,null,"3daa457a",null);const Gr=Hr.exports,Zr=r.default.extend({name:"FileEntryCheckbox",components:{NcCheckboxRadioSwitch:fs.Z,NcLoadingIcon:di.Z},props:{fileid:{type:String,required:!0},isLoading:{type:Boolean,default:!1},nodes:{type:Array,required:!0},source:{type:Object,required:!0}},setup(){const t=bi(),e=function(){const t=ot("keyboard",{state:()=>({altKey:!1,ctrlKey:!1,metaKey:!1,shiftKey:!1}),actions:{onEvent(t){t||(t=window.event),r.default.set(this,"altKey",!!t.altKey),r.default.set(this,"ctrlKey",!!t.ctrlKey),r.default.set(this,"metaKey",!!t.metaKey),r.default.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===parseInt(this.fileid)))},isFile(){return this.source.type===lt.Tv.File},ariaLabel(){return this.isFile?(0,In.Iu)("files",'Toggle selection for file "{displayName}"',{displayName:this.source.basename}):(0,In.Iu)("files",'Toggle selection for folder "{displayName}"',{displayName:this.source.basename})}},methods:{onSelectionChange(t){const e=this.index,n=this.selectionStore.lastSelectedIndex;if(this.keyboardStore?.shiftKey&&null!==n){const t=this.selectedFiles.includes(this.fileid),s=Math.min(e,n),i=Math.max(n,e),r=this.selectionStore.lastSelection,a=this.nodes.map((t=>t.fileid?.toString?.())).slice(s,i+1),o=[...r,...a].filter((e=>!t||e!==this.fileid));return $n.debug("Shift key pressed, selecting all files in between",{start:s,end:i,filesToSelect:a,isAlreadySelected:t}),void this.selectionStore.set(o)}const s=t?[...this.selectedFiles,this.fileid]:this.selectedFiles.filter((t=>t!==this.fileid));$n.debug("Updating selection",{selection:s}),this.selectionStore.set(s),this.selectionStore.setLastIndex(e)},resetSelection(){this.selectionStore.reset()},t:In.Iu}}),Yr=(0,On.Z)(Zr,(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 Wr=s(49368);const Kr=(0,Rn.j)("files","forbiddenCharacters",""),Jr=r.default.extend({name:"FileEntryName",components:{NcTextField:Wr.Z},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:kr()}),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{[lt.Tv.File]:(0,In.Iu)("files","File name"),[lt.Tv.Folder]:(0,In.Iu)("files","Folder name")}[this.source.type]},linkTo(){if(this.source.attributes.failed)return{is:"span",params:{title:(0,In.Iu)("files","This node is unavailable")}};const t=this.$parent?.$refs?.actions?.enabledDefaultActions;return t?.length>0?{is:"a",params:{title:t[0].displayName([this.source],this.currentView),role:"button",tabindex:"0"}}:this.source?.permissions<.y3.READ?{is:"a",params:{download:this.source.basename,href:this.source.source,title:(0,In.Iu)("files","Download file {name}",{name:this.displayName}),tabindex:"0"}}:{is:"span"}}},watch:{isRenaming:{immediate:!0,handler(t){t&&this.startRenaming()}}},methods:{checkInputValidity(t){const e=t.target,n=this.newName.trim?.()||"";$n.debug("Checking input validity",{newName:n});try{this.isFileNameValid(n),e.setCustomValidity(""),e.title=""}catch(t){e.setCustomValidity(t.message),e.title=t.message}finally{e.reportValidity()}},isFileNameValid(t){const e=t.trim();if("."===e||".."===e)throw new Error((0,In.Iu)("files",'"{name}" is an invalid file name.',{name:t}));if(0===e.length)throw new Error((0,In.Iu)("files","File name cannot be empty."));if(-1!==e.indexOf("/"))throw new Error((0,In.Iu)("files",'"/" is not allowed inside a file name.'));if(e.match(OC.config.blacklist_files_regex))throw new Error((0,In.Iu)("files",'"{name}" is not an allowed filetype.',{name:t}));if(this.checkIfNodeExists(t))throw new Error((0,In.Iu)("files","{newName} already exists.",{newName:t}));return e.split("").forEach((t=>{if(-1!==Kr.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((()=>{const t=(this.source.extension||"").split("").length,e=this.source.basename.split("").length-t,n=this.$refs.renameInput?.$refs?.inputField?.$refs?.input;n?(n.setSelectionRange(0,e),n.focus(),n.dispatchEvent(new Event("keyup"))):$n.error("Could not find the rename input")}))},stopRenaming(){this.isRenaming&&this.renamingStore.$reset()},async onRename(){const t=this.source.basename,e=this.source.encodedSource,n=this.newName.trim?.()||"";if(""!==n)if(t!==n)if(this.checkIfNodeExists(n))(0,Hn.x2)((0,In.Iu)("files","Another entry with the same name already exists"));else{this.loading="renaming",r.default.set(this.source,"status",lt.e4.LOADING),this.source.rename(n),$n.debug("Moving file to",{destination:this.source.encodedSource,oldEncodedSource:e});try{await(0,zn.Z)({method:"MOVE",url:e,headers:{Destination:this.source.encodedSource,Overwrite:"F"}}),(0,Nn.j8)("files:node:updated",this.source),(0,Nn.j8)("files:node:renamed",this.source),(0,Hn.s$)((0,In.Iu)("files",'Renamed "{oldName}" to "{newName}"',{oldName:t,newName:n})),this.stopRenaming(),this.$nextTick((()=>{this.$refs.basename.focus()}))}catch(e){if($n.error("Error while renaming file",{error:e}),this.source.rename(t),this.$refs.renameInput.focus(),404===e?.response?.status)return void(0,Hn.x2)((0,In.Iu)("files",'Could not rename "{oldName}", it does not exist any more',{oldName:t}));if(412===e?.response?.status)return void(0,Hn.x2)((0,In.Iu)("files",'The name "{newName}" is already used in the folder "{dir}". Please choose a different name.',{newName:n,dir:this.currentDir}));(0,Hn.x2)((0,In.Iu)("files",'Could not rename "{oldName}"',{oldName:t}))}finally{this.loading=!1,r.default.set(this.source,"status",void 0)}}else this.stopRenaming();else(0,Hn.x2)((0,In.Iu)("files","Name cannot be empty"))},t:In.Iu}}),Qr=(0,On.Z)(Jr,(function(){var t=this,e=t._self._c;return t._self._setupProxy,t.isRenaming?e("form",{directives:[{name:"on-click-outside",rawName:"v-on-click-outside",value:t.stopRenaming,expression:"stopRenaming"}],staticClass:"files-list__row-rename",attrs:{"aria-label":t.t("files","Rename file")},on:{submit:function(e){return e.preventDefault(),e.stopPropagation(),t.onRename.apply(null,arguments)}}},[e("NcTextField",{ref:"renameInput",attrs:{label:t.renameLabel,autofocus:!0,minlength:1,required:!0,value:t.newName,enterkeyhint:"done"},on:{"update:value":function(e){t.newName=e},keyup:[t.checkInputValidity,function(e){return!e.type.indexOf("key")&&t._k(e.keyCode,"esc",27,e.key,["Esc","Escape"])?null:t.stopRenaming.apply(null,arguments)}]}})],1):e(t.linkTo.is,t._b({ref:"basename",tag:"component",staticClass:"files-list__row-name-link",attrs:{"aria-hidden":t.isRenaming,"data-cy-files-list-row-name-link":""},on:{click:function(e){return t.$emit("click",e)}}},"component",t.linkTo.params,!1),[e("span",{staticClass:"files-list__row-name-text"},[e("span",{staticClass:"files-list__row-name-",domProps:{textContent:t._s(t.displayName)}}),t._v(" "),e("span",{staticClass:"files-list__row-name-ext",domProps:{textContent:t._s(t.extension)}})])])}),[],!1,null,null,null).exports;var Xr=s(60186);const ta={name:"AccountPlusIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},ea=(0,On.Z)(ta,(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,"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,na={name:"FileIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},sa=(0,On.Z)(na,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon file-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 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,ia={name:"FolderOpenIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},ra=(0,On.Z)(ia,(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,"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,aa={name:"KeyIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},oa=(0,On.Z)(aa,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon key-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 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,la={name:"NetworkIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},ca=(0,On.Z)(la,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon network-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 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,ua={name:"TagIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},da=(0,On.Z)(ua,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon tag-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 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,ma={name:"PlayCircleIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},pa=(0,On.Z)(ma,(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,"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,fa={name:"CollectivesIcon",props:{title:{type:String,default:""},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},ga=(0,On.Z)(fa,(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,ha=(0,r.defineComponent)({name:"FavoriteIcon",components:{NcIconSvgWrapper:Un.Z},data:()=>({StarSvg:''}),async mounted(){await this.$nextTick();const t=this.$el.querySelector("svg");t?.setAttribute?.("viewBox","-4 -4 30 30")},methods:{t:In.Iu}});var Aa=s(29785),wa={};wa.styleTagTransform=ls(),wa.setAttributes=is(),wa.insert=ns().bind(null,"head"),wa.domAPI=ts(),wa.insertStyleElement=as(),Qn()(Aa.Z,wa),Aa.Z&&Aa.Z.locals&&Aa.Z.locals;const ya=(0,On.Z)(ha,(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,"77afa6dc",null).exports,va=r.default.extend({name:"FileEntryPreview",components:{AccountGroupIcon:Xr.Z,AccountPlusIcon:ea,CollectivesIcon:ga,FavoriteIcon:ya,FileIcon:sa,FolderIcon:Ri,FolderOpenIcon:ra,KeyIcon:oa,LinkIcon:ri.Z,NetworkIcon:ca,TagIcon:da},props:{source:{type:Object,required:!0},dragover:{type:Boolean,default:!1},gridMode:{type:Boolean,default:!1}},setup:()=>({userConfigStore:bs()}),data:()=>({backgroundFailed:void 0}),computed:{fileid(){return this.source?.fileid?.toString?.()},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===lt.Tv.Folder)return null;if(!0===this.backgroundFailed)return null;try{const t=this.source.attributes.previewUrl||(0,ut.generateUrl)("/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"]?pa:null},folderOverlay(){if(this.source.type!==lt.Tv.Folder)return null;if(1===this.source?.attributes?.["is-encrypted"])return oa;if(this.source?.attributes?.["is-tag"])return da;const t=Object.values(this.source?.attributes?.["share-types"]||{}).flat();if(t.some((t=>t===si.D.SHARE_TYPE_LINK||t===si.D.SHARE_TYPE_EMAIL)))return ri.Z;if(t.length>0)return ea;switch(this.source?.attributes?.["mount-type"]){case"external":case"external-session":return ca;case"group":return Xr.Z;case"collective":return ga}return null}},methods:{reset(){!0===this.backgroundFailed&&this.$refs.previewImg&&(this.$refs.previewImg.src=""),this.backgroundFailed=void 0},t:In.Iu}}),ba=(0,On.Z)(va,(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:function(e){t.backgroundFailed=!0},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;r.default.directive("onClickOutside",Fi.hs);const Ca=(0,r.defineComponent)({name:"FileEntry",components:{CustomElementRender:Nr,FileEntryActions:Gr,FileEntryCheckbox:Yr,FileEntryName:Qr,FileEntryPreview:ba,NcDateTime:Sr.Z},props:{isMtimeAvailable:{type:Boolean,default:!1},isSizeAvailable:{type:Boolean,default:!1},source:{type:[lt.gt,lt.$B,lt.NB],required:!0},nodes:{type:Array,required:!0},filesListWidth:{type:Number,default:0},compact:{type:Boolean,default:!1}},setup:()=>({actionsMenuStore:Tr(),draggingStore:Er(),filesStore:yi(),renamingStore:kr(),selectionStore:bi()}),data:()=>({loading:"",dragover:!1}),computed:{rowListeners(){return{...this.isRenaming?{}:{dragstart:this.onDragStart,dragover:this.onDragOver},contextmenu:this.onRightClick,dragleave:this.onDragLeave,dragend:this.onDragEnd,drop:this.onDrop}},currentView(){return this.$navigation.active},columns(){return this.filesListWidth<512||this.compact?[]:this.currentView?.columns||[]},currentDir(){return(this.$route?.query?.dir?.toString()||"/").replace(/^(.+)\/$/,"$1")},currentFileId(){return this.$route.params?.fileid||this.$route.query?.fileid||null},fileid(){return this.source?.fileid?.toString?.()},uniqueId(){return _r(this.source.source)},isLoading(){return this.source.status===lt.e4.LOADING},extension(){return this.source.attributes?.displayName?(0,Is.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},size(){const t=parseInt(this.source.size,10)||0;return"number"!=typeof t||t<0?(0,In.Iu)("files","Pending"):(0,lt.sS)(t,!0)},sizeOpacity(){const t=parseInt(this.source.size,10)||0;return!t||t<0?{}:{color:`color-mix(in srgb, var(--color-main-text) ${Math.round(Math.min(100,100*Math.pow(this.source.size/10485760,2)))}%, var(--color-text-maxcontrast))`}},mtimeOpacity(){const t=26784e5,e=this.source.mtime?.getTime?.();if(!e)return{};const n=Math.round(Math.min(100,100*(t-(Date.now()-e))/t));return n<0?{}:{color:`color-mix(in srgb, var(--color-main-text) ${n}%, var(--color-text-maxcontrast))`}},mtimeTitle(){return this.source.mtime?Oi()(this.source.mtime).format("LLL"):""},draggingFiles(){return this.draggingStore.dragging},selectedFiles(){return this.selectionStore.selected},isSelected(){return this.selectedFiles.includes(this.fileid)},isRenaming(){return this.renamingStore.renamingNode===this.source},isRenamingSmallScreen(){return this.isRenaming&&this.filesListWidth<512},isActive(){return this.fileid===this.currentFileId?.toString?.()},canDrag(){if(this.isRenaming)return!1;const t=t=>0!=(t?.permissions<.y3.UPDATE);return this.selectedFiles.length>0?this.selectedFiles.map((t=>this.filesStore.getNode(t))).every(t):t(this.source)},canDrop(){return this.source.type===lt.Tv.Folder&&!this.draggingFiles.includes(this.fileid)&&0!=(this.source.permissions<.y3.CREATE)},openedMenu:{get(){return this.actionsMenuStore.opened===this.uniqueId},set(t){if(t){const t=this.$root.$el;t.style.removeProperty("--mouse-pos-x"),t.style.removeProperty("--mouse-pos-y")}this.actionsMenuStore.opened=t?this.uniqueId:null}}},watch:{source(){this.resetState()}},beforeDestroy(){this.resetState()},methods:{resetState(){this.loading="",this.$refs.preview.reset(),this.openedMenu=!1},onRightClick(t){if(this.openedMenu)return;const e=this.$root.$el,n=e.getBoundingClientRect();e.style.setProperty("--mouse-pos-x",Math.max(n.left,Math.min(t.clientX,t.clientX-200))+"px"),e.style.setProperty("--mouse-pos-y",Math.max(n.top,t.clientY-n.top)+"px");const s=this.selectedFiles.length>1;this.actionsMenuStore.opened=this.isSelected&&s?"global":this.uniqueId,t.preventDefault(),t.stopPropagation()},execDefaultAction(t){if(t.ctrlKey||t.metaKey)return t.preventDefault(),window.open((0,ut.generateUrl)("/f/{fileId}",{fileId:this.fileid})),!1;this.$refs.actions.execDefaultAction(t)},openDetailsIfAvailable(t){t.preventDefault(),t.stopPropagation(),wi?.enabled?.([this.source],this.currentView)&&wi.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;e?.contains(t.relatedTarget)||(this.dragover=!1)},async onDragStart(t){if(t.stopPropagation(),!this.canDrag)return t.preventDefault(),void t.stopPropagation();$n.debug("Drag started",{event:t}),t.dataTransfer?.clearData?.(),this.renamingStore.$reset(),this.selectedFiles.includes(this.fileid)?this.draggingStore.set(this.selectedFiles):this.draggingStore.set([this.fileid]);const e=this.draggingStore.dragging.map((t=>this.filesStore.getNode(t))),n=await Zi(e);t.dataTransfer?.setDragImage(n,-10,-10)},onDragEnd(){this.draggingStore.reset(),this.dragover=!1,$n.debug("Drag ended")},async onDrop(t){if(!this.draggingFiles&&!t.dataTransfer?.files?.length)return;if(t.preventDefault(),t.stopPropagation(),!this.canDrop||0!==t.button)return;const e=t.ctrlKey;if(this.dragover=!1,$n.debug("Dropped",{event:t,selection:this.draggingFiles}),t.dataTransfer?.files?.length>0){const e=(0,ii.g)();return t.dataTransfer.files.forEach((t=>{e.upload((0,Is.join)(this.source.path,t.name),t)})),void $n.debug(`Uploading files to ${this.source.path}`)}this.draggingFiles.map((t=>this.filesStore.getNode(t))).forEach((async t=>{r.default.set(t,"status",lt.e4.LOADING);try{await Cr(t,this.source,e?wr.COPY:wr.MOVE)}catch(n){$n.error("Error while moving file",{error:n}),e?(0,Hn.x2)((0,In.Iu)("files","Could not copy {file}. {message}",{file:t.basename,message:n.message||""})):(0,Hn.x2)((0,In.Iu)("files","Could not move {file}. {message}",{file:t.basename,message:n.message||""}))}finally{r.default.set(t,"status",void 0)}})),this.draggingFiles.some((t=>this.selectedFiles.includes(t)))&&($n.debug("Dropped selection, resetting select store..."),this.selectionStore.reset())},t:In.Iu,formatFileSize:lt.sS}}),xa=Ca,_a=(0,On.Z)(xa,(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},attrs:{"data-cy-files-list-row":"","data-cy-files-list-row-fileid":t.fileid,"data-cy-files-list-row-name":t.source.basename,draggable:t.canDrag}},t.rowListeners),[t.source.attributes.failed?e("span",{staticClass:"files-list__row--failed"}):t._e(),t._v(" "),e("FileEntryCheckbox",{attrs:{fileid:t.fileid,"is-loading":t.isLoading,nodes:t.nodes,source:t.source}}),t._v(" "),e("td",{staticClass:"files-list__row-name",attrs:{"data-cy-files-list-row-name":""}},[e("FileEntryPreview",{ref:"preview",attrs:{source:t.source,dragover:t.dragover},nativeOn:{click:function(e){return t.execDefaultAction.apply(null,arguments)}}}),t._v(" "),e("FileEntryName",{ref:"name",attrs:{"display-name":t.displayName,extension:t.extension,"files-list-width":t.filesListWidth,nodes:t.nodes,source:t.source},on:{click:t.execDefaultAction}})],1),t._v(" "),e("FileEntryActions",{directives:[{name:"show",rawName:"v-show",value:!t.isRenamingSmallScreen,expression:"!isRenamingSmallScreen"}],ref:"actions",class:`files-list__row-actions-${t.uniqueId}`,attrs:{"files-list-width":t.filesListWidth,loading:t.loading,opened:t.openedMenu,source:t.source},on:{"update:loading":function(e){t.loading=e},"update:opened":function(e){t.openedMenu=e}}}),t._v(" "),!t.compact&&t.isSizeAvailable?e("td",{staticClass:"files-list__row-size",style:t.sizeOpacity,attrs:{"data-cy-files-list-row-size":""},on:{click:t.openDetailsIfAvailable}},[e("span",[t._v(t._s(t.size))])]):t._e(),t._v(" "),!t.compact&&t.isMtimeAvailable?e("td",{staticClass:"files-list__row-mtime",style:t.mtimeOpacity,attrs:{"data-cy-files-list-row-mtime":""},on:{click:t.openDetailsIfAvailable}},[e("NcDateTime",{attrs:{timestamp:t.source.mtime,"ignore-seconds":!0}})],1):t._e(),t._v(" "),t._l(t.columns,(function(n){return e("td",{key:n.id,staticClass:"files-list__row-column-custom",class:`files-list__row-${t.currentView?.id}-${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;r.default.directive("onClickOutside",Fi.hs);const Ta=r.default.extend({name:"FileEntryGrid",components:{FileEntryActions:Gr,FileEntryCheckbox:Yr,FileEntryName:Qr,FileEntryPreview:ba},inheritAttrs:!1,props:{source:{type:[lt.gt,lt.$B,lt.NB],required:!0},nodes:{type:Array,required:!0},filesListWidth:{type:Number,default:0}},setup:()=>({actionsMenuStore:Tr(),draggingStore:Er(),filesStore:yi(),renamingStore:kr(),selectionStore:bi()}),data:()=>({loading:"",dragover:!1}),computed:{currentView(){return this.$navigation.active},currentDir(){return(this.$route?.query?.dir?.toString()||"/").replace(/^(.+)\/$/,"$1")},currentFileId(){return this.$route.params?.fileid||this.$route.query?.fileid||null},fileid(){return this.source?.fileid?.toString?.()},uniqueId(){return _r(this.source.source)},isLoading(){return this.source.status===lt.e4.LOADING},extension(){return this.source.attributes?.displayName?(0,Is.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.fileid)},isRenaming(){return this.renamingStore.renamingNode===this.source},isActive(){return this.fileid===this.currentFileId?.toString?.()},canDrag(){const t=t=>0!=(t?.permissions<.y3.UPDATE);return this.selectedFiles.length>0?this.selectedFiles.map((t=>this.filesStore.getNode(t))).every(t):t(this.source)},canDrop(){return this.source.type===lt.Tv.Folder&&!this.draggingFiles.includes(this.fileid)&&0!=(this.source.permissions<.y3.CREATE)},openedMenu:{get(){return this.actionsMenuStore.opened===this.uniqueId},set(t){this.actionsMenuStore.opened=t?this.uniqueId:null}}},watch:{source(){this.resetState()}},beforeDestroy(){this.resetState()},methods:{resetState(){this.loading="",this.$refs.preview.reset(),this.openedMenu=!1},onRightClick(t){if(this.openedMenu)return;const e=this.selectedFiles.length>1;this.actionsMenuStore.opened=this.isSelected&&e?"global":this.uniqueId,t.preventDefault(),t.stopPropagation()},execDefaultAction(t){if(t.ctrlKey||t.metaKey)return t.preventDefault(),window.open((0,ut.generateUrl)("/f/{fileId}",{fileId:this.fileid})),!1;this.$refs.actions.execDefaultAction(t)},openDetailsIfAvailable(t){t.preventDefault(),t.stopPropagation(),wi?.enabled?.([this.source],this.currentView)&&wi.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;e?.contains(t.relatedTarget)||(this.dragover=!1)},async onDragStart(t){if(t.stopPropagation(),!this.canDrag)return t.preventDefault(),void t.stopPropagation();$n.debug("Drag started"),this.renamingStore.$reset(),this.selectedFiles.includes(this.fileid)?this.draggingStore.set(this.selectedFiles):this.draggingStore.set([this.fileid]);const e=this.draggingStore.dragging.map((t=>this.filesStore.getNode(t))),n=await Zi(e);t.dataTransfer?.setDragImage(n,-10,-10)},onDragEnd(){this.draggingStore.reset(),this.dragover=!1,$n.debug("Drag ended")},async onDrop(t){if(t.preventDefault(),t.stopPropagation(),!this.canDrop||0!==t.button)return;const e=t.ctrlKey;if(this.dragover=!1,$n.debug("Dropped",{event:t,selection:this.draggingFiles}),t.dataTransfer?.files?.length>0){const e=(0,ii.g)();return t.dataTransfer.files.forEach((t=>{e.upload((0,Is.join)(this.source.path,t.name),t)})),void $n.debug(`Uploading files to ${this.source.path}`)}this.draggingFiles.map((t=>this.filesStore.getNode(t))).forEach((async t=>{r.default.set(t,"status",lt.e4.LOADING);try{await Cr(t,this.source,e?wr.COPY:wr.MOVE)}catch(n){$n.error("Error while moving file",{error:n}),e?(0,Hn.x2)((0,In.Iu)("files","Could not copy {file}. {message}",{file:t.basename,message:n.message||""})):(0,Hn.x2)((0,In.Iu)("files","Could not move {file}. {message}",{file:t.basename,message:n.message||""}))}finally{r.default.set(t,"status",void 0)}})),this.draggingFiles.some((t=>this.selectedFiles.includes(t)))&&($n.debug("Dropped selection, resetting select store..."),this.selectionStore.reset())},t:In.Iu}}),Ea=Ta,ka=(0,On.Z)(Ea,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("tr",{staticClass:"files-list__row",class:{"files-list__row--active":t.isActive,"files-list__row--dragover":t.dragover,"files-list__row--loading":t.isLoading},attrs:{"data-cy-files-list-row":"","data-cy-files-list-row-fileid":t.fileid,"data-cy-files-list-row-name":t.source.basename,draggable:t.canDrag},on:{contextmenu:t.onRightClick,dragover:t.onDragOver,dragleave:t.onDragLeave,dragstart:t.onDragStart,dragend:t.onDragEnd,drop:t.onDrop}},[t.source.attributes.failed?e("span",{staticClass:"files-list__row--failed"}):t._e(),t._v(" "),e("FileEntryCheckbox",{attrs:{fileid:t.fileid,"is-loading":t.isLoading,nodes:t.nodes,source:t.source}}),t._v(" "),e("td",{staticClass:"files-list__row-name",attrs:{"data-cy-files-list-row-name":""}},[e("FileEntryPreview",{ref:"preview",attrs:{dragover:t.dragover,"grid-mode":!0,source:t.source},nativeOn:{click:function(e){return t.execDefaultAction.apply(null,arguments)}}}),t._v(" "),e("FileEntryName",{ref:"name",attrs:{"display-name":t.displayName,extension:t.extension,"files-list-width":t.filesListWidth,"grid-mode":!0,nodes:t.nodes,source:t.source},on:{click:t.execDefaultAction}})],1),t._v(" "),e("FileEntryActions",{ref:"actions",class:`files-list__row-actions-${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 Sa=s(25108);const La={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(){Sa.debug("Mounted",this.header.id),this.header.render(this.$refs.mount,this.currentFolder,this.currentView)}},Na=(0,On.Z)(La,(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-${t.header.id}`},[e("span",{ref:"mount"})])}),[],!1,null,null,null).exports,Ia=r.default.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=vi();return{filesStore:yi(),pathsStore:t}},computed:{currentView(){return this.$navigation.active},dir(){return(this.$route?.query?.dir||"/").replace(/^(.+)\/$/,"$1")},currentFolder(){if(!this.currentView?.id)return;if("/"===this.dir)return this.filesStore.getRoot(this.currentView.id);const t=this.pathsStore.getPath(this.currentView.id,this.dir);return this.filesStore.getNode(t)},columns(){return this.filesListWidth<512?[]:this.currentView?.columns||[]},totalSize(){return this.currentFolder?.size?(0,lt.sS)(this.currentFolder.size,!0):(0,lt.sS)(this.nodes.reduce(((t,e)=>t+e.size||0),0),!0)}},methods:{classForColumn(t){return{"files-list__row-column-custom":!0,[`files-list__row-${this.currentView.id}-${t.id}`]:!0}},t:In.Iu}});var Fa=s(16250),Pa={};Pa.styleTagTransform=ls(),Pa.setAttributes=is(),Pa.insert=ns().bind(null,"head"),Pa.domAPI=ts(),Pa.insertStyleElement=as(),Qn()(Fa.Z,Pa),Fa.Z&&Fa.Z.locals&&Fa.Z.locals;const Oa=(0,On.Z)(Ia,(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){return e("th",{key:n.id,class:t.classForColumn(n)},[e("span",[t._v(t._s(n.summary?.(t.nodes,t.currentView)))])])}))],2)}),[],!1,null,"a85bde20",null).exports,Ba=r.default.extend({data:()=>({filesListWidth:null}),mounted(){const t=document.querySelector("#app-content-vue");this.filesListWidth=t?.clientWidth??null,this.$resizeObserver=new ResizeObserver((e=>{e.length>0&&e[0].target===t&&(this.filesListWidth=e[0].contentRect.width)})),this.$resizeObserver.observe(t)},beforeDestroy(){this.$resizeObserver.disconnect()}}),Da=(0,lt.Vn)(),ja=r.default.extend({name:"FilesListTableHeaderActions",components:{NcActions:Dr.Z,NcActionButton:Br.Z,NcIconSvgWrapper:Un.Z,NcLoadingIcon:di.Z},mixins:[Ba],props:{currentView:{type:Object,required:!0},selectedNodes:{type:Array,default:()=>[]}},setup:()=>({actionsMenuStore:Tr(),filesStore:yi(),selectionStore:bi()}),data:()=>({loading:null}),computed:{dir(){return(this.$route?.query?.dir||"/").replace(/^(.+)\/$/,"$1")},enabledActions(){return Da.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((t=>t))},areSomeNodesLoading(){return this.nodes.some((t=>t.status===lt.e4.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=>{r.default.set(t,"status",lt.e4.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,Hn.x2)(this.t("files",'"{displayName}" failed on some elements ',{displayName:e}))}(0,Hn.s$)(this.t("files",'"{displayName}" batch action executed successfully',{displayName:e})),this.selectionStore.reset()}catch(n){$n.error("Error while executing action",{action:t,e:n}),(0,Hn.x2)(this.t("files",'"{displayName}" action failed',{displayName:e}))}finally{this.loading=null,this.nodes.forEach((t=>{r.default.set(t,"status",void 0)}))}},t:In.Iu}}),Ua=ja;var Ra=s(32442),za={};za.styleTagTransform=ls(),za.setAttributes=is(),za.insert=ns().bind(null,"head"),za.domAPI=ts(),za.insertStyleElement=as(),Qn()(Ra.Z,za),Ra.Z&&Ra.Z.locals&&Ra.Z.locals;var Ma=(0,On.Z)(Ua,(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,"2fbb2389",null);const Va=Ma.exports;var $a=s(63198),qa=s(7290);const Ha=r.default.extend({computed:{...(Za=Vn,Ya=["getConfig","setSortingBy","toggleSortingDirection"],Array.isArray(Ya)?Ya.reduce(((t,e)=>(t[e]=function(){return Za(this.$pinia)[e]},t)),{}):Object.keys(Ya).reduce(((t,e)=>(t[e]=function(){const t=Za(this.$pinia),n=Ya[e];return"function"==typeof n?n.call(this,t):t[n]},t)),{})),currentView(){return this.$navigation.active},sortingMode(){return this.getConfig(this.currentView.id)?.sorting_mode||this.currentView?.defaultSortKey||"basename"},isAscSorting(){const t=this.getConfig(this.currentView.id)?.sorting_direction;return"desc"!==t}},methods:{toggleSortBy(t){this.sortingMode!==t?this.setSortingBy(t,this.currentView.id):this.toggleSortingDirection(this.currentView.id)}}}),Ga=(0,r.defineComponent)({name:"FilesListTableHeaderButton",components:{MenuDown:$a.Z,MenuUp:qa.Z,NcButton:ci.Z},mixins:[Ha],props:{name:{type:String,required:!0},mode:{type:String,required:!0}},methods:{t:In.Iu}});var Za,Ya,Wa=s(97704),Ka={};Ka.styleTagTransform=ls(),Ka.setAttributes=is(),Ka.insert=ns().bind(null,"head"),Ka.domAPI=ts(),Ka.insertStyleElement=as(),Qn()(Wa.Z,Ka),Wa.Z&&Wa.Z.locals&&Wa.Z.locals;const Ja=(0,On.Z)(Ga,(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,"2dd1845e",null).exports,Qa=r.default.extend({name:"FilesListTableHeader",components:{FilesListTableHeaderButton:Ja,NcCheckboxRadioSwitch:fs.Z,FilesListTableHeaderActions:Va},mixins:[Ha],props:{isMtimeAvailable:{type:Boolean,default:!1},isSizeAvailable:{type:Boolean,default:!1},nodes:{type:Array,required:!0},filesListWidth:{type:Number,default:0}},setup:()=>({filesStore:yi(),selectionStore:bi()}),computed:{currentView(){return this.$navigation.active},columns(){return this.filesListWidth<512?[]:this.currentView?.columns||[]},dir(){return(this.$route?.query?.dir||"/").replace(/^(.+)\/$/,"$1")},selectAllBind(){const t=(0,In.Iu)("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){return{"files-list__column":!0,"files-list__column--sortable":!!t.sort,"files-list__row-column-custom":!0,[`files-list__row-${this.currentView.id}-${t.id}`]:!0}},onToggleAll(t){if(t){const t=this.nodes.map((t=>t.fileid.toString()));$n.debug("Added all nodes to selection",{selection:t}),this.selectionStore.setLastIndex(null),this.selectionStore.set(t)}else $n.debug("Cleared selection"),this.selectionStore.reset()},resetSelection(){this.selectionStore.reset()},t:In.Iu}});var Xa=s(97221),to={};to.styleTagTransform=ls(),to.setAttributes=is(),to.insert=ns().bind(null,"head"),to.domAPI=ts(),to.insertStyleElement=as(),Qn()(Xa.Z,to),Xa.Z&&Xa.Z.locals&&Xa.Z.locals;const eo=(0,On.Z)(Qa,(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,"769ad83a",null).exports;var no=s(20296),so=s(25108);const io=r.default.extend({name:"VirtualList",mixins:[Ba],props:{dataComponent:{type:[Object,Function],required:!0},dataKey:{type:String,required:!0},dataSources:{type:Array,required:!0},extraProps:{type:Object,default:()=>({})},scrollToIndex:{type:Number,default:0},gridMode:{type:Boolean,default:!1},caption:{type:String,default:""}},data(){return{index:this.scrollToIndex,beforeHeight:0,headerHeight:0,tableHeight:0,resizeObserver:null}},computed:{isReady(){return this.tableHeight>0},bufferItems(){return this.gridMode?this.columnCount:3},itemHeight(){return this.gridMode?197:55},itemWidth:()=>175,rowCount(){return Math.ceil((this.tableHeight-this.headerHeight)/this.itemHeight)+this.bufferItems/this.columnCount*2+1},columnCount(){return this.gridMode?Math.floor(this.filesListWidth/this.itemWidth):1},startIndex(){return Math.max(0,this.index-this.bufferItems)},shownItems(){return this.gridMode?this.rowCount*this.columnCount:this.rowCount},renderedItems(){if(!this.isReady)return[];const t=this.dataSources.slice(this.startIndex,this.startIndex+this.shownItems),e=t.filter((t=>Object.values(this.$_recycledPool).includes(t[this.dataKey]))).map((t=>t[this.dataKey])),n=Object.keys(this.$_recycledPool).filter((t=>!e.includes(this.$_recycledPool[t])));return t.map((t=>{const e=Object.values(this.$_recycledPool).indexOf(t[this.dataKey]);if(-1!==e)return{key:Object.keys(this.$_recycledPool)[e],item:t};const s=n.pop()||Math.random().toString(36).substr(2);return this.$_recycledPool[s]=t[this.dataKey],{key:s,item:t}}))},tbodyStyle(){const t=this.startIndex+this.rowCount>this.dataSources.length,e=this.dataSources.length-this.startIndex-this.shownItems,n=Math.floor(Math.min(this.dataSources.length-this.startIndex,e)/this.columnCount);return{paddingTop:Math.floor(this.startIndex/this.columnCount)*this.itemHeight+"px",paddingBottom:t?0:n*this.itemHeight+"px"}}},watch:{scrollToIndex(t){this.scrollTo(t)},columnCount(t,e){0!==e?this.scrollTo(this.index):so.debug("VirtualList: columnCount is 0, skipping scroll")}},mounted(){const t=this.$refs?.before,e=this.$el,n=this.$refs?.thead;this.resizeObserver=new ResizeObserver((0,no.debounce)((()=>{this.beforeHeight=t?.clientHeight??0,this.headerHeight=n?.clientHeight??0,this.tableHeight=e?.clientHeight??0,$n.debug("VirtualList: resizeObserver updated"),this.onScroll()}),100,!1)),this.resizeObserver.observe(t),this.resizeObserver.observe(e),this.resizeObserver.observe(n),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){this.index=t;const e=(Math.floor(t/this.columnCount)-.5)*this.itemHeight+this.beforeHeight;$n.debug("VirtualList: scrolling to index "+t,{scrollTop:e,columnCount:this.columnCount}),this.$el.scrollTop=e},onScroll(){this._onScrollHandle??=requestAnimationFrame((()=>{this._onScrollHandle=null;const t=this.$el.scrollTop-this.beforeHeight,e=Math.floor(t/this.itemHeight)*this.columnCount;this.index=Math.max(0,e),this.$emit("scroll")}))}}}),ro=(0,On.Z)(io,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("div",{staticClass:"files-list",attrs:{"data-cy-files-list":""}},[t.$scopedSlots["header-overlay"]?e("div",{staticClass:"files-list__thead-overlay"},[t._t("header-overlay")],2):t._e(),t._v(" "),e("div",{ref:"before",staticClass:"files-list__before"},[t._t("before")],2),t._v(" "),e("table",{staticClass:"files-list__table"},[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,ao=(0,r.defineComponent)({name:"FilesListVirtual",components:{FilesListHeader:Na,FilesListTableFooter:Oa,FilesListTableHeader:eo,VirtualList:ro,FilesListTableHeaderActions:Va},mixins:[Ba],props:{currentView:{type:lt.G7,required:!0},currentFolder:{type:lt.gt,required:!0},nodes:{type:Array,required:!0}},setup:()=>({userConfigStore:bs(),selectionStore:bi()}),data:()=>({FileEntry:_a,FileEntryGrid:ka,headers:(0,lt.De)(),scrollToIndex:0}),computed:{userConfig(){return this.userConfigStore.userConfig},fileId(){return parseInt(this.$route.params.fileid)||null},summary(){return Ii(this.nodes)},isMtimeAvailable(){return!(this.filesListWidth<768)&&this.nodes.some((t=>void 0!==t.mtime))},isSizeAvailable(){return!(this.filesListWidth<768)&&this.nodes.some((t=>void 0!==t.attributes.size))},sortedHeaders(){return this.currentFolder&&this.currentView?[...this.headers].sort(((t,e)=>t.order-e.order)):[]},caption(){const t=(0,In.Iu)("files","List of files and folders.");return`${this.currentView.caption||t}\n${(0,In.Iu)("files","Column headers with buttons are sortable.")}\n${(0,In.Iu)("files","This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list.")}`},selectedNodes(){return this.selectionStore.selected},isNoneSelected(){return 0===this.selectedNodes.length}},watch:{fileId(t){this.scrollToFile(t,!1)}},mounted(){window.document.querySelector("main.app-content").addEventListener("dragover",this.onDragOver),this.scrollToFile(this.fileId),this.openSidebarForFile(this.fileId),this.handleOpenFile()},beforeDestroy(){window.document.querySelector("main.app-content").removeEventListener("dragover",this.onDragOver)},methods:{openSidebarForFile(t){if(document.documentElement.clientWidth>1024&&this.currentFolder.fileid!==t){const e=this.nodes.find((e=>e.fileid===t));e&&wi?.enabled?.([e],this.currentView)&&($n.debug("Opening sidebar on file "+e.path,{node:e}),wi.exec(e,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,Hn.x2)(this.t("files","File not found")),this.scrollToIndex=Math.max(0,n)}},handleOpenFile(){const t=(0,Rn.j)("files","openFileInfo",{});if(void 0===t)return;const e=this.nodes.find((e=>e.fileid===t.id));void 0!==e&&($n.debug("Opening file "+e.path,{node:e}),(0,lt.Vn)().filter((t=>!t.enabled||t.enabled([e],this.currentView))).sort(((t,e)=>(t.order||0)-(e.order||0))).filter((t=>!!t?.default))[0].exec(e,this.currentView,this.currentFolder.path))},getFileId:t=>t.fileid,onDragOver(t){const e=t.dataTransfer?.types.includes("Files");if(e)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:In.Iu}});var oo=s(54037),lo={};lo.styleTagTransform=ls(),lo.setAttributes=is(),lo.insert=ns().bind(null,"head"),lo.domAPI=ts(),lo.insertStyleElement=as(),Qn()(oo.Z,lo),oo.Z&&oo.Z.locals&&oo.Z.locals;var co=s(77292),uo={};uo.styleTagTransform=ls(),uo.setAttributes=is(),uo.insert=ns().bind(null,"head"),uo.domAPI=ts(),uo.insertStyleElement=as(),Qn()(co.Z,uo),co.Z&&co.Z.locals&&co.Z.locals;const mo=(0,On.Z)(ao,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("VirtualList",{ref:"table",attrs:{"data-component":t.userConfig.grid_view?t.FileEntryGrid:t.FileEntry,"data-key":"source","data-sources":t.nodes,"grid-mode":t.userConfig.grid_view,"extra-props":{isMtimeAvailable:t.isMtimeAvailable,isSizeAvailable:t.isSizeAvailable,nodes:t.nodes,filesListWidth:t.filesListWidth},"scroll-to-index":t.scrollToIndex,caption:t.caption},scopedSlots:t._u([t.isNoneSelected?null:{key:"header-overlay",fn:function(){return[e("FilesListTableHeaderActions",{attrs:{"current-view":t.currentView,"selected-nodes":t.selectedNodes}})]},proxy:!0},{key:"before",fn:function(){return t._l(t.sortedHeaders,(function(n){return e("FilesListHeader",{key:n.id,attrs:{"current-folder":t.currentFolder,"current-view":t.currentView,header:n}})}))},proxy:!0},{key:"header",fn:function(){return[e("FilesListTableHeader",{ref:"thead",attrs:{"files-list-width":t.filesListWidth,"is-mtime-available":t.isMtimeAvailable,"is-size-available":t.isSizeAvailable,nodes:t.nodes}})]},proxy:!0},{key:"footer",fn:function(){return[e("FilesListTableFooter",{attrs:{"files-list-width":t.filesListWidth,"is-mtime-available":t.isMtimeAvailable,"is-size-available":t.isSizeAvailable,nodes:t.nodes,summary:t.summary}})]},proxy:!0}],null,!0)})}),[],!1,null,"056855cd",null).exports,po={name:"TrayArrowDownIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},fo=(0,On.Z)(po,(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,"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;var go=s(65358);const ho=async function(t){let e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"";const n=(0,ii.g)();try{return await n.upload(`${e}${t.name}`,t)}catch(e){throw(0,Hn.x2)((0,In.Iu)("files",'Uploading "{filename}" failed',{filename:t.name})),e}},Ao=async function(t){let e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"";if(t.isFile)return[await new Promise(((n,s)=>{t.file((async t=>n(await ho(t,e))),(t=>s(t)))}))];{const n=t,s=(0,go.RQ)(lt._o,(0,ii.g)().destination.path,e,n.name);$n.debug("Handle directory recursively",{name:n.name,absolutPath:s});const i=(0,lt.rp)();if(!await i.exists(s)){$n.debug("Directory does not exist, creating it",{absolutPath:s}),await i.createDirectory(s,{recursive:!0});const t=await i.stat(s,{details:!0,data:(0,lt.h7)()});(0,Nn.j8)("files:node:created",(0,lt.RL)(t.data))}const r=await function(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()}))}(n),a=r.sort((t=>t.isFile?-1:1)).map((t=>Ao(t,`${e}${n.name}/`)));return(await Promise.all(a)).flat()}},wo=(0,r.defineComponent)({name:"DragAndDropNotice",components:{TrayArrowDownIcon:fo},props:{currentFolder:{type:lt.gt,required:!0}},data:()=>({dragover:!1}),computed:{canUpload(){return this.currentFolder&&0!=(this.currentFolder.permissions<.y3.CREATE)},isQuotaExceeded(){return 0===this.currentFolder?.attributes?.["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){t.preventDefault();const e=t.dataTransfer?.types.includes("Files");e&&(this.dragover=!0)},onDragLeave(t){const e=t.currentTarget;e?.contains(t.relatedTarget)||this.dragover&&(this.dragover=!1)},onContentDrop(t){$n.debug("Drag and drop cancelled, dropped on empty space",{event:t}),t.preventDefault(),this.dragover&&(this.dragover=!1)},onDrop(t){$n.debug("Dropped on DragAndDropNotice",{event:t,error:this.cantUploadLabel}),this.canUpload&&!this.isQuotaExceeded?this.$el.querySelector("tbody")?.contains(t.target)||(t.preventDefault(),t.stopPropagation(),t.dataTransfer&&t.dataTransfer.items.length>0&&($n.debug(`Uploading files to ${this.currentFolder.path}`),(async t=>{const e=[];for(const n of t.items){if("file"!==n.kind){$n.debug("Skipping dropped item",{kind:n.kind,type:n.type});continue}const t=n?.getAsEntry?.()??n.webkitGetAsEntry();if(null===t){$n.debug("Could not get FilesystemEntry of item, falling back to file");const t=n.getAsFile();null===t?($n.warn("Could not process DataTransferItem",{type:n.type,kind:n.kind}),(0,Hn.x2)((0,In.Iu)("files","One of the dropped files could not be processed"))):e.push(await ho(t))}else $n.debug("Handle recursive upload",{entry:t.name}),e.push(...await Ao(t))}return e})(t.dataTransfer).then((t=>{$n.debug("Upload terminated",{uploads:t}),(0,Hn.s$)((0,In.Iu)("files","Upload successful"));const e=t.findLast((t=>!t.file.webkitRelativePath.includes("/")&&t.response?.headers?.["oc-fileid"]));void 0!==e&&this.$router.push({...this.$route,params:{view:this.$route.params?.view??"files",fileid:parseInt(e.response.headers["oc-fileid"])}})}))),this.dragover=!1):(0,Hn.x2)(this.cantUploadLabel)},t:In.Iu}});var yo=s(96496),vo={};vo.styleTagTransform=ls(),vo.setAttributes=is(),vo.insert=ns().bind(null,"head"),vo.domAPI=ts(),vo.insertStyleElement=as(),Qn()(yo.Z,vo),yo.Z&&yo.Z.locals&&yo.Z.locals;const bo=(0,On.Z)(wo,(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",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,"069817aa",null).exports,Co=void 0!==(0,Ns.getCapabilities)()?.files_sharing,xo=(0,r.defineComponent)({name:"FilesList",components:{BreadCrumbs:Ni,DragAndDropNotice:bo,FilesListVirtual:mo,LinkIcon:ri.Z,ListViewIcon:oi,NcAppContent:li.Z,NcButton:ci.Z,NcEmptyContent:ui.Z,NcIconSvgWrapper:Un.Z,NcLoadingIcon:di.Z,PlusIcon:mi.Z,ShareVariantIcon:fi,UploadPicker:ii.U,ViewGridIcon:hi},mixins:[Ba,Ha],setup(){const t=yi(),e=vi(),n=bi(),s=function(){return Ci=(0,ii.g)(),ot("uploader",{state:()=>({queue:Ci.queue})})(...arguments)}();return{filesStore:t,pathsStore:e,selectionStore:n,uploaderStore:s,userConfigStore:bs(),viewConfigStore:Vn(),enableGridView:(0,Rn.j)("core","config",[])["enable_non-accessible_features"]??!0}},data:()=>({loading:!0,promise:null,Type:si.D}),computed:{userConfig(){return this.userConfigStore.userConfig},currentView(){return this.$navigation.active||this.$navigation.views.find((t=>"files"===t.id))},dir(){return(this.$route?.query?.dir?.toString()||"/").replace(/^(.+)\/$/,"$1")},currentFolder(){if(!this.currentView?.id)return;if("/"===this.dir)return this.filesStore.getRoot(this.currentView.id);const t=this.pathsStore.getPath(this.currentView.id,this.dir);return this.filesStore.getNode(t)},sortingParameters(){return[[...this.userConfig.sort_favorites_first?[t=>1!==t.attributes?.favorite]:[],..."basename"===this.sortingMode?[t=>"folder"!==t.type]:[],..."basename"!==this.sortingMode?[t=>t[this.sortingMode]]:[],t=>t.attributes?.displayName||t.basename,t=>t.basename],[...this.userConfig.sort_favorites_first?["asc"]:[],..."basename"===this.sortingMode?["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(){if(!this.currentView)return[];const t=(this.currentView?.columns||[]).find((t=>t.id===this.sortingMode));if(t?.sort&&"function"==typeof t.sort){const e=[...this.dirContents].sort(t.sort);return this.isAscSorting?e:e.reverse()}return ei([...this.dirContents],...this.sortingParameters)},dirContents(){const t=this.userConfigStore?.userConfig.show_hidden;return(this.currentFolder?._children||[]).map(this.getNode).filter((e=>t?!!e:e&&!0!==e?.attributes?.hidden&&!e?.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(){if(this.currentFolder?.attributes?.["share-types"])return Object.values(this.currentFolder?.attributes?.["share-types"]||{}).flat()},shareButtonLabel(){return this.shareAttributes?this.shareButtonType===si.D.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===si.D.SHARE_TYPE_LINK))?si.D.SHARE_TYPE_LINK:si.D.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&&0!=(this.currentFolder.permissions<.y3.CREATE)},isQuotaExceeded(){return 0===this.currentFolder?.attributes?.["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 Co&&this.currentFolder&&0!=(this.currentFolder.permissions<.y3.SHARE)}},watch:{currentView(t,e){t?.id!==e?.id&&($n.debug("View changed",{newView:t,oldView:e}),this.selectionStore.reset(),this.fetchContent())},dir(t,e){$n.debug("Directory changed",{newDir:t,oldDir:e}),this.selectionStore.reset(),this.fetchContent(),this.$refs?.filesListVirtual?.$el&&(this.$refs.filesListVirtual.$el.scrollTop=0)},dirContents(t){$n.debug("Directory contents changed",{view:this.currentView,folder:this.currentFolder,contents:t}),(0,Nn.j8)("files:list:updated",{view:this.currentView,folder:this.currentFolder,contents:t})}},mounted(){this.fetchContent(),(0,Nn.Ld)("files:node:updated",this.onUpdatedNode)},unmounted(){(0,Nn.r1)("files:node:updated",this.onUpdatedNode)},methods:{async fetchContent(){this.loading=!0;const t=this.dir,e=this.currentView;if(e){"function"==typeof this.promise?.cancel&&(this.promise.cancel(),$n.debug("Cancelled previous ongoing fetch")),this.promise=e.getContents(t);try{const{folder:n,contents:s}=await this.promise;$n.debug("Fetched contents",{dir:t,folder:n,contents:s}),this.filesStore.updateNodes(s),this.$set(n,"_children",s.map((t=>t.fileid))),"/"===t?this.filesStore.setRoot({service:e.id,root:n}):n.fileid?(this.filesStore.updateNodes([n]),this.pathsStore.addPath({service:e.id,fileid:n.fileid,path:t})):$n.error("Invalid root folder returned",{dir:t,folder:n,currentView:e}),s.filter((t=>"folder"===t.type)).forEach((n=>{this.pathsStore.addPath({service:e.id,fileid:n.fileid,path:(0,Is.join)(t,n.basename)})}))}catch(t){$n.error("Error while fetching content",{error:t})}finally{this.loading=!1}}else $n.debug("The current view doesn't exists or is not ready.",{currentView:e})},getNode(t){return this.filesStore.getNode(t)},onUpload(t){(0,Is.dirname)(t.source)===this.currentFolder?.source&&this.fetchContent()},async onUploadFail(t){const e=t.response?.status||0;if(507!==e)if(404!==e&&409!==e)if(403!==e){try{const e=new ni.Parser({trim:!0,explicitRoot:!1}),n=(await e.parseStringPromise(t.response?.data))["s:message"][0];if("string"==typeof n&&""!==n.trim())return void(0,Hn.x2)(this.t("files","Error during upload: {message}",{message:n}))}catch(t){}0===e?(0,Hn.x2)(this.t("files","Unknown error during upload")):(0,Hn.x2)(this.t("files","Error during upload, status code {status}",{status:e}))}else(0,Hn.x2)(this.t("files","Operation is blocked by access control"));else(0,Hn.x2)(this.t("files","Target folder does not exist any more"));else(0,Hn.x2)(this.t("files","Not enough free space"))},onUpdatedNode(t){t?.fileid===this.currentFolder?.fileid&&this.fetchContent()},openSharingSidebar(){window?.OCA?.Files?.Sidebar?.setActiveTab&&window.OCA.Files.Sidebar.setActiveTab("sharing"),wi.exec(this.currentFolder,this.currentView,this.currentFolder.path)},toggleGridView(){this.userConfigStore.update("grid_view",!this.userConfig.grid_view)},t:In.Iu,n:In.uN}});var _o=s(49615),To={};To.styleTagTransform=ls(),To.setAttributes=is(),To.insert=ns().bind(null,"head"),To.domAPI=ts(),To.insertStyleElement=as(),Qn()(_o.Z,To),_o.Z&&_o.Z.locals&&_o.Z.locals;const Eo=(0,On.Z)(xo,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("NcAppContent",{attrs:{"data-cy-files-content":""}},[e("div",{staticClass:"files-list__header"},[e("BreadCrumbs",{attrs:{path:t.dir},on:{reload:t.fetchContent},scopedSlots:t._u([{key:"actions",fn:function(){return[t.canShare&&t.filesListWidth>=512?e("NcButton",{staticClass:"files-list__header-share-button",class:{"files-list__header-share-button--shared":t.shareButtonType},attrs:{"aria-label":t.shareButtonLabel,title:t.shareButtonLabel,type:"tertiary"},on:{click:t.openSharingSidebar},scopedSlots:t._u([{key:"icon",fn:function(){return[t.shareButtonType===t.Type.SHARE_TYPE_LINK?e("LinkIcon"):e("ShareVariantIcon",{attrs:{size:20}})]},proxy:!0}],null,!1,2776780758)}):t._e(),t._v(" "),!t.canUpload||t.isQuotaExceeded?e("NcButton",{staticClass:"files-list__header-upload-button--disabled",attrs:{"aria-label":t.cantUploadLabel,title:t.cantUploadLabel,disabled:!0,type:"secondary"},scopedSlots:t._u([{key:"icon",fn:function(){return[e("PlusIcon",{attrs:{size:20}})]},proxy:!0}],null,!1,2953566425)},[t._v("\n\t\t\t\t\t"+t._s(t.t("files","Add"))+"\n\t\t\t\t")]):t.currentFolder?e("UploadPicker",{staticClass:"files-list__header-upload-button",attrs:{content:t.dirContents,destination:t.currentFolder,multiple:!0},on:{failed:t.onUploadFail,uploaded:t.onUpload}}):t._e()]},proxy:!0}])}),t._v(" "),t.filesListWidth>=512&&t.enableGridView?e("NcButton",{staticClass:"files-list__header-grid-button",attrs:{"aria-label":t.gridViewButtonLabel,title:t.gridViewButtonLabel,type:"tertiary"},on:{click:t.toggleGridView},scopedSlots:t._u([{key:"icon",fn:function(){return[t.userConfig.grid_view?e("ListViewIcon"):e("ViewGridIcon")]},proxy:!0}],null,!1,1682960703)}):t._e(),t._v(" "),t.isRefreshing?e("NcLoadingIcon",{staticClass:"files-list__refresh-icon"}):t._e()],1),t._v(" "),!t.loading&&t.canUpload?e("DragAndDropNotice",{attrs:{"current-folder":t.currentFolder}}):t._e(),t._v(" "),t.loading&&!t.isRefreshing?e("NcLoadingIcon",{staticClass:"files-list__loading-icon",attrs:{size:38,name:t.t("files","Loading current folder")}}):!t.loading&&t.isEmptyDir?e("NcEmptyContent",{attrs:{name:t.currentView?.emptyTitle||t.t("files","No files in here"),description:t.currentView?.emptyCaption||t.t("files","Upload some content or sync with your devices!"),"data-cy-files-content-empty":""},scopedSlots:t._u([{key:"action",fn:function(){return["/"!==t.dir?e("NcButton",{attrs:{"aria-label":t.t("files","Go to the previous folder"),type:"primary",to:t.toPreviousDir}},[t._v("\n\t\t\t\t"+t._s(t.t("files","Go back"))+"\n\t\t\t")]):t._e()]},proxy:!0},{key:"icon",fn:function(){return[e("NcIconSvgWrapper",{attrs:{svg:t.currentView.icon}})]},proxy:!0}])}):e("FilesListVirtual",{ref:"filesListVirtual",attrs:{"current-folder":t.currentFolder,"current-view":t.currentView,nodes:t.dirContentsSorted}})],1)}),[],!1,null,"02896d42",null).exports,ko=(0,r.defineComponent)({name:"FilesApp",components:{NcContent:Ln.Z,FilesList:Eo,Navigation:Ls}}),So=(0,On.Z)(ko,(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;s.nc=btoa((0,ct.IH)()),window.OCA.Files=window.OCA.Files??{},window.OCP.Files=window.OCP.Files??{};const Lo=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||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)}(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})}}(En);Object.assign(window.OCP.Files,{Router:Lo}),r.default.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[A]=e,this.$pinia||(this.$pinia=e),e._a=this,v&&h(e),b&&Z(e._a,e)}else!this.$pinia&&t.parent&&t.parent.$pinia&&(this.$pinia=t.parent.$pinia)},destroyed(){delete this._pStores}})}));const No=function(){const t=(0,r.effectScope)(!0),e=t.run((()=>(0,r.ref)({})));let n=[],s=[];const i=(0,r.markRaw)({install(t){h(i),a||(i._a=t,t.provide(A,i),t.config.globalProperties.$pinia=i,b&&Z(t,i),s.forEach((t=>n.push(t))),s=[])},use(t){return this._a||a?n.push(t):s.push(t),this},_p:n,_a:null,_e:t,_s:new Map,state:e});return b&&"undefined"!=typeof Proxy&&i.use(J),i}(),Io=(0,lt.Ti)();r.default.prototype.$navigation=Io;const Fo=new class{constructor(){var t,e,n;t=this,n=void 0,(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="_settings"))in t?Object.defineProperty(t,e,{value:n,enumerable:!0,configurable:!0,writable:!0}):t[e]=n,this._settings=[],Sn.debug("OCA.Files.Settings initialized")}register(t){return this._settings.filter((e=>e.name===t.name)).length>0?(Sn.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:Fo}),Object.assign(window.OCA.Files.Settings,{Setting:class{constructor(t,e){let{el:n,open:s,close:i}=e;kn(this,"_close",void 0),kn(this,"_el",void 0),kn(this,"_name",void 0),kn(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(r.default.extend(So))({router:En,pinia:No}).$mount("#content")},51473:(t,e,n)=>{"use strict";n.d(e,{Z:()=>f});var s=n(87537),i=n.n(s),r=n(23645),a=n.n(r),o=n(61667),l=n.n(o),c=new URL(n(79839),n.b),u=new URL(n(88717),n.b),d=a()(i()),m=l()(c),p=l()(u);d.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._file-picker__file-icon_1vgv4_5 {\n width: 32px;\n height: 32px;\n min-width: 32px;\n min-height: 32px;\n background-repeat: no-repeat;\n background-size: contain;\n display: flex;\n justify-content: center;\n}\ntr.file-picker__row[data-v-6aded0d9] {\n height: var(--row-height, 50px);\n}\ntr.file-picker__row td[data-v-6aded0d9] {\n cursor: pointer;\n overflow: hidden;\n text-overflow: ellipsis;\n border-bottom: none;\n}\ntr.file-picker__row td.row-checkbox[data-v-6aded0d9] {\n padding: 0 2px;\n}\ntr.file-picker__row td[data-v-6aded0d9]:not(.row-checkbox) {\n padding-inline: 14px 0;\n}\ntr.file-picker__row td.row-size[data-v-6aded0d9] {\n text-align: end;\n padding-inline: 0 14px;\n}\ntr.file-picker__row td.row-name[data-v-6aded0d9] {\n padding-inline: 2px 0;\n}\n@keyframes gradient-6aded0d9 {\n 0% {\n background-position: 0% 50%;\n }\n 50% {\n background-position: 100% 50%;\n }\n to {\n background-position: 0% 50%;\n }\n}\n.loading-row .row-checkbox[data-v-6aded0d9] {\n text-align: center !important;\n}\n.loading-row span[data-v-6aded0d9] {\n display: inline-block;\n height: 24px;\n background: linear-gradient(to right, var(--color-background-darker), var(--color-text-maxcontrast), var(--color-background-darker));\n background-size: 600px 100%;\n border-radius: var(--border-radius);\n animation: gradient-6aded0d9 12s ease infinite;\n}\n.loading-row .row-wrapper[data-v-6aded0d9] {\n display: inline-flex;\n align-items: center;\n}\n.loading-row .row-checkbox span[data-v-6aded0d9] {\n width: 24px;\n}\n.loading-row .row-name span[data-v-6aded0d9]:last-of-type {\n margin-inline-start: 6px;\n width: 130px;\n}\n.loading-row .row-size span[data-v-6aded0d9] {\n width: 80px;\n}\n.loading-row .row-modified span[data-v-6aded0d9] {\n width: 90px;\n}\ntr.file-picker__row[data-v-48df4f27] {\n height: var(--row-height, 50px);\n}\ntr.file-picker__row td[data-v-48df4f27] {\n cursor: pointer;\n overflow: hidden;\n text-overflow: ellipsis;\n border-bottom: none;\n}\ntr.file-picker__row td.row-checkbox[data-v-48df4f27] {\n padding: 0 2px;\n}\ntr.file-picker__row td[data-v-48df4f27]:not(.row-checkbox) {\n padding-inline: 14px 0;\n}\ntr.file-picker__row td.row-size[data-v-48df4f27] {\n text-align: end;\n padding-inline: 0 14px;\n}\ntr.file-picker__row td.row-name[data-v-48df4f27] {\n padding-inline: 2px 0;\n}\n.file-picker__row--selected[data-v-48df4f27] {\n background-color: var(--color-background-dark);\n}\n.file-picker__row[data-v-48df4f27]:hover {\n background-color: var(--color-background-hover);\n}\n.file-picker__name-container[data-v-48df4f27] {\n display: flex;\n justify-content: start;\n align-items: center;\n height: 100%;\n}\n.file-picker__file-name[data-v-48df4f27] {\n padding-inline-start: 6px;\n min-width: 0;\n overflow: hidden;\n text-overflow: ellipsis;\n}\n.file-picker__file-extension[data-v-48df4f27] {\n color: var(--color-text-maxcontrast);\n min-width: fit-content;\n}\n.file-picker__header-preview[data-v-d3c94818] {\n width: 22px;\n height: 32px;\n flex: 0 0 auto;\n}\n.file-picker__files[data-v-d3c94818] {\n margin: 2px;\n margin-inline-start: 12px;\n overflow: scroll auto;\n}\n.file-picker__files table[data-v-d3c94818] {\n width: 100%;\n max-height: 100%;\n table-layout: fixed;\n}\n.file-picker__files th[data-v-d3c94818] {\n position: sticky;\n z-index: 1;\n top: 0;\n background-color: var(--color-main-background);\n padding: 2px;\n}\n.file-picker__files th .header-wrapper[data-v-d3c94818] {\n display: flex;\n}\n.file-picker__files th.row-checkbox[data-v-d3c94818] {\n width: 44px;\n}\n.file-picker__files th.row-name[data-v-d3c94818] {\n width: 230px;\n}\n.file-picker__files th.row-size[data-v-d3c94818] {\n width: 100px;\n}\n.file-picker__files th.row-modified[data-v-d3c94818] {\n width: 120px;\n}\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue__wrapper {\n justify-content: start;\n flex-direction: row-reverse;\n}\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue {\n padding-inline: 16px 4px;\n}\n.file-picker__files th.row-size[data-v-d3c94818] .button-vue__wrapper {\n justify-content: end;\n}\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper {\n color: var(--color-text-maxcontrast);\n}\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper .button-vue__text {\n font-weight: 400;\n}\n.file-picker__breadcrumbs[data-v-3bc9efa5] {\n flex-grow: 0 !important;\n}\n.file-picker__side[data-v-e96bec41] {\n display: flex;\n flex-direction: column;\n align-items: stretch;\n gap: .5rem;\n min-width: 200px;\n padding: 2px;\n overflow: auto;\n}\n.file-picker__side[data-v-e96bec41] .button-vue__wrapper {\n justify-content: start;\n}\n.file-picker__filter-input[data-v-e96bec41] {\n margin-block: 7px;\n max-width: 260px;\n}\n@media (max-width: 736px) {\n .file-picker__side[data-v-e96bec41] {\n flex-direction: row;\n min-width: unset;\n }\n}\n@media (max-width: 512px) {\n .file-picker__side[data-v-e96bec41] {\n flex-direction: row;\n min-width: unset;\n }\n .file-picker__filter-input[data-v-e96bec41] {\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-c6479356] {\n height: 50px;\n display: flex;\n justify-content: start;\n align-items: center;\n}\n.file-picker__view h3[data-v-c6479356] {\n font-weight: 700;\n height: fit-content;\n margin: 0;\n}\n.file-picker__main[data-v-c6479356] {\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-c6479356] {\n box-sizing: border-box;\n}\n[data-v-c6479356] .file-picker {\n height: min(80vh, 800px) !important;\n}\n@media (max-width: 512px) {\n [data-v-c6479356] .file-picker {\n height: calc(100% - 16px - var(--default-clickable-area)) !important;\n }\n}\n[data-v-c6479356] .file-picker__content {\n display: flex;\n flex-direction: column;\n overflow: hidden;\n}\n`,"",{version:3,sources:["webpack://./node_modules/@nextcloud/dialogs/dist/style.css"],names:[],mappings:"AAAA,gBAAgB;AAChB;;;;;;;;;;;;;;;;;;;;EAoBE;AACF;EACE,gBAAgB;EAChB,gBAAgB;EAChB,8CAA8C;EAC9C,6BAA6B;EAC7B,6CAA6C;EAC7C,eAAe;EACf,gBAAgB;EAChB,eAAe;EACf,cAAc;EACd,mCAAmC;EACnC,aAAa;EACb,mBAAmB;AACrB;AACA;EACE,aAAa;EACb,mBAAmB;AACrB;AACA;;EAEE,gBAAgB;EAChB,gBAAgB;EAChB,sBAAsB;EACtB,eAAe;EACf,YAAY;EACZ,aAAa;EACb,mBAAmB;EACnB,4BAA4B;EAC5B,2BAA2B;EAC3B,6BAA6B;EAC7B,aAAa;AACf;AACA;;EAEE,cAAc;EACd,WAAW;EACX,YAAY;EACZ,gBAAgB;EAChB,iBAAiB;EACjB,YAAY;AACd;AACA;;EAEE,yDAA8Q;EAC9Q,YAAY;EACZ,wCAAwC;EACxC,qBAAqB;EACrB,WAAW;EACX,YAAY;AACd;AACA;;EAEE,wBAAwB;EACxB,wBAAwB;AAC1B;AACA;;;;;;EAME,eAAe;EACf,UAAU;AACZ;AACA;EACE,WAAW;AACb;AACA;EACE,eAAe;AACjB;AACA;EACE,yCAAyC;AAC3C;AACA;EACE,2CAA2C;AAC7C;AACA;EACE,2CAA2C;AAC7C;AACA;;EAEE,2CAA2C;AAC7C;AACA;EACE,yDAAsT;AACxT;AACA;EACE,WAAW;EACX,YAAY;EACZ,eAAe;EACf,gBAAgB;EAChB,4BAA4B;EAC5B,wBAAwB;EACxB,aAAa;EACb,uBAAuB;AACzB;AACA;EACE,+BAA+B;AACjC;AACA;EACE,eAAe;EACf,gBAAgB;EAChB,uBAAuB;EACvB,mBAAmB;AACrB;AACA;EACE,cAAc;AAChB;AACA;EACE,sBAAsB;AACxB;AACA;EACE,eAAe;EACf,sBAAsB;AACxB;AACA;EACE,qBAAqB;AACvB;AACA;EACE;IACE,2BAA2B;EAC7B;EACA;IACE,6BAA6B;EAC/B;EACA;IACE,2BAA2B;EAC7B;AACF;AACA;EACE,6BAA6B;AAC/B;AACA;EACE,qBAAqB;EACrB,YAAY;EACZ,oIAAoI;EACpI,2BAA2B;EAC3B,mCAAmC;EACnC,8CAA8C;AAChD;AACA;EACE,oBAAoB;EACpB,mBAAmB;AACrB;AACA;EACE,WAAW;AACb;AACA;EACE,wBAAwB;EACxB,YAAY;AACd;AACA;EACE,WAAW;AACb;AACA;EACE,WAAW;AACb;AACA;EACE,+BAA+B;AACjC;AACA;EACE,eAAe;EACf,gBAAgB;EAChB,uBAAuB;EACvB,mBAAmB;AACrB;AACA;EACE,cAAc;AAChB;AACA;EACE,sBAAsB;AACxB;AACA;EACE,eAAe;EACf,sBAAsB;AACxB;AACA;EACE,qBAAqB;AACvB;AACA;EACE,8CAA8C;AAChD;AACA;EACE,+CAA+C;AACjD;AACA;EACE,aAAa;EACb,sBAAsB;EACtB,mBAAmB;EACnB,YAAY;AACd;AACA;EACE,yBAAyB;EACzB,YAAY;EACZ,gBAAgB;EAChB,uBAAuB;AACzB;AACA;EACE,oCAAoC;EACpC,sBAAsB;AACxB;AACA;EACE,WAAW;EACX,YAAY;EACZ,cAAc;AAChB;AACA;EACE,WAAW;EACX,yBAAyB;EACzB,qBAAqB;AACvB;AACA;EACE,WAAW;EACX,gBAAgB;EAChB,mBAAmB;AACrB;AACA;EACE,gBAAgB;EAChB,UAAU;EACV,MAAM;EACN,8CAA8C;EAC9C,YAAY;AACd;AACA;EACE,aAAa;AACf;AACA;EACE,WAAW;AACb;AACA;EACE,YAAY;AACd;AACA;EACE,YAAY;AACd;AACA;EACE,YAAY;AACd;AACA;EACE,sBAAsB;EACtB,2BAA2B;AAC7B;AACA;EACE,wBAAwB;AAC1B;AACA;EACE,oBAAoB;AACtB;AACA;EACE,oCAAoC;AACtC;AACA;EACE,gBAAgB;AAClB;AACA;EACE,uBAAuB;AACzB;AACA;EACE,aAAa;EACb,sBAAsB;EACtB,oBAAoB;EACpB,UAAU;EACV,gBAAgB;EAChB,YAAY;EACZ,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._file-picker__file-icon_1vgv4_5 {\n width: 32px;\n height: 32px;\n min-width: 32px;\n min-height: 32px;\n background-repeat: no-repeat;\n background-size: contain;\n display: flex;\n justify-content: center;\n}\ntr.file-picker__row[data-v-6aded0d9] {\n height: var(--row-height, 50px);\n}\ntr.file-picker__row td[data-v-6aded0d9] {\n cursor: pointer;\n overflow: hidden;\n text-overflow: ellipsis;\n border-bottom: none;\n}\ntr.file-picker__row td.row-checkbox[data-v-6aded0d9] {\n padding: 0 2px;\n}\ntr.file-picker__row td[data-v-6aded0d9]:not(.row-checkbox) {\n padding-inline: 14px 0;\n}\ntr.file-picker__row td.row-size[data-v-6aded0d9] {\n text-align: end;\n padding-inline: 0 14px;\n}\ntr.file-picker__row td.row-name[data-v-6aded0d9] {\n padding-inline: 2px 0;\n}\n@keyframes gradient-6aded0d9 {\n 0% {\n background-position: 0% 50%;\n }\n 50% {\n background-position: 100% 50%;\n }\n to {\n background-position: 0% 50%;\n }\n}\n.loading-row .row-checkbox[data-v-6aded0d9] {\n text-align: center !important;\n}\n.loading-row span[data-v-6aded0d9] {\n display: inline-block;\n height: 24px;\n background: linear-gradient(to right, var(--color-background-darker), var(--color-text-maxcontrast), var(--color-background-darker));\n background-size: 600px 100%;\n border-radius: var(--border-radius);\n animation: gradient-6aded0d9 12s ease infinite;\n}\n.loading-row .row-wrapper[data-v-6aded0d9] {\n display: inline-flex;\n align-items: center;\n}\n.loading-row .row-checkbox span[data-v-6aded0d9] {\n width: 24px;\n}\n.loading-row .row-name span[data-v-6aded0d9]:last-of-type {\n margin-inline-start: 6px;\n width: 130px;\n}\n.loading-row .row-size span[data-v-6aded0d9] {\n width: 80px;\n}\n.loading-row .row-modified span[data-v-6aded0d9] {\n width: 90px;\n}\ntr.file-picker__row[data-v-48df4f27] {\n height: var(--row-height, 50px);\n}\ntr.file-picker__row td[data-v-48df4f27] {\n cursor: pointer;\n overflow: hidden;\n text-overflow: ellipsis;\n border-bottom: none;\n}\ntr.file-picker__row td.row-checkbox[data-v-48df4f27] {\n padding: 0 2px;\n}\ntr.file-picker__row td[data-v-48df4f27]:not(.row-checkbox) {\n padding-inline: 14px 0;\n}\ntr.file-picker__row td.row-size[data-v-48df4f27] {\n text-align: end;\n padding-inline: 0 14px;\n}\ntr.file-picker__row td.row-name[data-v-48df4f27] {\n padding-inline: 2px 0;\n}\n.file-picker__row--selected[data-v-48df4f27] {\n background-color: var(--color-background-dark);\n}\n.file-picker__row[data-v-48df4f27]:hover {\n background-color: var(--color-background-hover);\n}\n.file-picker__name-container[data-v-48df4f27] {\n display: flex;\n justify-content: start;\n align-items: center;\n height: 100%;\n}\n.file-picker__file-name[data-v-48df4f27] {\n padding-inline-start: 6px;\n min-width: 0;\n overflow: hidden;\n text-overflow: ellipsis;\n}\n.file-picker__file-extension[data-v-48df4f27] {\n color: var(--color-text-maxcontrast);\n min-width: fit-content;\n}\n.file-picker__header-preview[data-v-d3c94818] {\n width: 22px;\n height: 32px;\n flex: 0 0 auto;\n}\n.file-picker__files[data-v-d3c94818] {\n margin: 2px;\n margin-inline-start: 12px;\n overflow: scroll auto;\n}\n.file-picker__files table[data-v-d3c94818] {\n width: 100%;\n max-height: 100%;\n table-layout: fixed;\n}\n.file-picker__files th[data-v-d3c94818] {\n position: sticky;\n z-index: 1;\n top: 0;\n background-color: var(--color-main-background);\n padding: 2px;\n}\n.file-picker__files th .header-wrapper[data-v-d3c94818] {\n display: flex;\n}\n.file-picker__files th.row-checkbox[data-v-d3c94818] {\n width: 44px;\n}\n.file-picker__files th.row-name[data-v-d3c94818] {\n width: 230px;\n}\n.file-picker__files th.row-size[data-v-d3c94818] {\n width: 100px;\n}\n.file-picker__files th.row-modified[data-v-d3c94818] {\n width: 120px;\n}\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue__wrapper {\n justify-content: start;\n flex-direction: row-reverse;\n}\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue {\n padding-inline: 16px 4px;\n}\n.file-picker__files th.row-size[data-v-d3c94818] .button-vue__wrapper {\n justify-content: end;\n}\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper {\n color: var(--color-text-maxcontrast);\n}\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper .button-vue__text {\n font-weight: 400;\n}\n.file-picker__breadcrumbs[data-v-3bc9efa5] {\n flex-grow: 0 !important;\n}\n.file-picker__side[data-v-e96bec41] {\n display: flex;\n flex-direction: column;\n align-items: stretch;\n gap: .5rem;\n min-width: 200px;\n padding: 2px;\n overflow: auto;\n}\n.file-picker__side[data-v-e96bec41] .button-vue__wrapper {\n justify-content: start;\n}\n.file-picker__filter-input[data-v-e96bec41] {\n margin-block: 7px;\n max-width: 260px;\n}\n@media (max-width: 736px) {\n .file-picker__side[data-v-e96bec41] {\n flex-direction: row;\n min-width: unset;\n }\n}\n@media (max-width: 512px) {\n .file-picker__side[data-v-e96bec41] {\n flex-direction: row;\n min-width: unset;\n }\n .file-picker__filter-input[data-v-e96bec41] {\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-c6479356] {\n height: 50px;\n display: flex;\n justify-content: start;\n align-items: center;\n}\n.file-picker__view h3[data-v-c6479356] {\n font-weight: 700;\n height: fit-content;\n margin: 0;\n}\n.file-picker__main[data-v-c6479356] {\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-c6479356] {\n box-sizing: border-box;\n}\n[data-v-c6479356] .file-picker {\n height: min(80vh, 800px) !important;\n}\n@media (max-width: 512px) {\n [data-v-c6479356] .file-picker {\n height: calc(100% - 16px - var(--default-clickable-area)) !important;\n }\n}\n[data-v-c6479356] .file-picker__content {\n display: flex;\n flex-direction: column;\n overflow: hidden;\n}\n"],sourceRoot:""}]);const f=d},75716:(t,e,n)=>{"use strict";n.d(e,{Z:()=>o});var s=n(87537),i=n.n(s),r=n(23645),a=n.n(r)()(i());a.push([t.id,".upload-picker[data-v-af4c69fa] {\n display: inline-flex;\n align-items: center;\n height: 44px;\n}\n.upload-picker__progress[data-v-af4c69fa] {\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-af4c69fa] {\n overflow: hidden;\n white-space: nowrap;\n text-overflow: ellipsis;\n}\n.upload-picker--uploading .upload-picker__progress[data-v-af4c69fa] {\n max-width: 200px;\n margin-right: 20px;\n margin-left: 8px;\n}\n.upload-picker--paused .upload-picker__progress[data-v-af4c69fa] {\n animation: breathing-af4c69fa 3s ease-out infinite normal;\n}\n@keyframes breathing-af4c69fa {\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-7900cbe9.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-af4c69fa] {\n display: inline-flex;\n align-items: center;\n height: 44px;\n}\n.upload-picker__progress[data-v-af4c69fa] {\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-af4c69fa] {\n overflow: hidden;\n white-space: nowrap;\n text-overflow: ellipsis;\n}\n.upload-picker--uploading .upload-picker__progress[data-v-af4c69fa] {\n max-width: 200px;\n margin-right: 20px;\n margin-left: 8px;\n}\n.upload-picker--paused .upload-picker__progress[data-v-af4c69fa] {\n animation: breathing-af4c69fa 3s ease-out infinite normal;\n}\n@keyframes breathing-af4c69fa {\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=a},60393:(t,e,n)=>{"use strict";n.d(e,{Z:()=>o});var s=n(87537),i=n.n(s),r=n(23645),a=n.n(r)()(i());a.push([t.id,".breadcrumb[data-v-1c4866bc]{flex:1 1 100% !important;width:100%}.breadcrumb[data-v-1c4866bc] a{cursor:pointer !important}","",{version:3,sources:["webpack://./apps/files/src/components/BreadCrumbs.vue"],names:[],mappings:"AACA,6BAEC,wBAAA,CACA,UAAA,CAEA,+BACC,yBAAA",sourcesContent:["\n.breadcrumb {\n\t// Take as much space as possible\n\tflex: 1 1 100% !important;\n\twidth: 100%;\n\n\t::v-deep a {\n\t\tcursor: pointer !important;\n\t}\n}\n\n"],sourceRoot:""}]);const o=a},96496:(t,e,n)=>{"use strict";n.d(e,{Z:()=>o});var s=n(87537),i=n.n(s),r=n(23645),a=n.n(r)()(i());a.push([t.id,".files-list__drag-drop-notice[data-v-069817aa]{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-069817aa]{margin-left:16px;color:inherit}.files-list__drag-drop-notice-wrapper[data-v-069817aa]{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 o=a},50262:(t,e,n)=>{"use strict";n.d(e,{Z:()=>o});var s=n(87537),i=n.n(s),r=n(23645),a=n.n(r)()(i());a.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 o=a},29785:(t,e,n)=>{"use strict";n.d(e,{Z:()=>o});var s=n(87537),i=n.n(s),r=n(23645),a=n.n(r)()(i());a.push([t.id,".favorite-marker-icon[data-v-77afa6dc]{color:#a08b00;min-width:unset !important;min-height:unset !important}.favorite-marker-icon[data-v-77afa6dc] svg{width:26px !important;height:26px !important;max-width:unset !important;max-height:unset !important}.favorite-marker-icon[data-v-77afa6dc] 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 o=a},15604:(t,e,n)=>{"use strict";n.d(e,{Z:()=>o});var s=n(87537),i=n.n(s),r=n(23645),a=n.n(r)()(i());a.push([t.id,".app-content[style*=mouse-pos-x] .v-popper__popper{transform:translate3d(var(--mouse-pos-x), var(--mouse-pos-y), 0px) !important}.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), 0px) !important}.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,mDACC,6EAAA,CAGA,8EACC,0FAAA,CAGD,8EACC,YAAA",sourcesContent:['\n// Allow right click to define the position of the menu\n// only if defined\n.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\ttransform: translate3d(var(--mouse-pos-x), calc(var(--mouse-pos-y) - 50vh), 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 o=a},61707:(t,e,n)=>{"use strict";n.d(e,{Z:()=>o});var s=n(87537),i=n.n(s),r=n(23645),a=n.n(r)()(i());a.push([t.id,"[data-v-3daa457a] .button-vue--icon-and-text .button-vue__text{color:var(--color-primary-element)}[data-v-3daa457a] .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 o=a},16250:(t,e,n)=>{"use strict";n.d(e,{Z:()=>o});var s=n(87537),i=n.n(s),r=n(23645),a=n.n(r)()(i());a.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 o=a},97221:(t,e,n)=>{"use strict";n.d(e,{Z:()=>o});var s=n(87537),i=n.n(s),r=n(23645),a=n.n(r)()(i());a.push([t.id,".files-list__column[data-v-769ad83a]{user-select:none;color:var(--color-text-maxcontrast) !important}.files-list__column--sortable[data-v-769ad83a]{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 o=a},32442:(t,e,n)=>{"use strict";n.d(e,{Z:()=>o});var s=n(87537),i=n.n(s),r=n(23645),a=n.n(r)()(i());a.push([t.id,".files-list__row-actions-batch[data-v-2fbb2389]{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 o=a},97704:(t,e,n)=>{"use strict";n.d(e,{Z:()=>o});var s=n(87537),i=n.n(s),r=n(23645),a=n.n(r)()(i());a.push([t.id,".files-list__column-sort-button[data-v-2dd1845e]{margin:0 calc(var(--cell-margin)*-1);min-width:calc(100% - 3*var(--cell-margin)) !important}.files-list__column-sort-button-text[data-v-2dd1845e]{color:var(--color-text-maxcontrast);font-weight:normal}.files-list__column-sort-button-icon[data-v-2dd1845e]{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-2dd1845e]{inset-inline-start:10px}.files-list__column-sort-button--active .files-list__column-sort-button-icon[data-v-2dd1845e],.files-list__column-sort-button:hover .files-list__column-sort-button-icon[data-v-2dd1845e],.files-list__column-sort-button:focus .files-list__column-sort-button-icon[data-v-2dd1845e],.files-list__column-sort-button:active .files-list__column-sort-button-icon[data-v-2dd1845e]{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 o=a},54037:(t,e,n)=>{"use strict";n.d(e,{Z:()=>o});var s=n(87537),i=n.n(s),r=n(23645),a=n.n(r)()(i());a.push([t.id,".files-list[data-v-056855cd]{--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;position:relative;overflow:auto;height:100%;will-change:scroll-position}.files-list[data-v-056855cd] tbody{will-change:padding;contain:layout paint style;display:flex;flex-direction:column;width:100%;position:relative}.files-list[data-v-056855cd] tbody tr{contain:strict}.files-list[data-v-056855cd] tbody tr:hover,.files-list[data-v-056855cd] tbody tr:focus{background-color:var(--color-background-dark)}.files-list[data-v-056855cd] .files-list__before{display:flex;flex-direction:column}.files-list[data-v-056855cd] .files-list__table{display:block}.files-list[data-v-056855cd] .files-list__thead-overlay{position:absolute;top:0;left:var(--row-height);right:0;z-index:1000;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-056855cd] .files-list__thead,.files-list[data-v-056855cd] .files-list__tfoot{display:flex;flex-direction:column;width:100%;background-color:var(--color-main-background)}.files-list[data-v-056855cd] .files-list__thead{position:sticky;z-index:10;top:0}.files-list[data-v-056855cd] .files-list__tfoot{min-height:300px}.files-list[data-v-056855cd] 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-056855cd] td,.files-list[data-v-056855cd] 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-056855cd] td span,.files-list[data-v-056855cd] th span{overflow:hidden;white-space:nowrap;text-overflow:ellipsis}.files-list[data-v-056855cd] .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-056855cd] .files-list__row-checkbox{justify-content:center}.files-list[data-v-056855cd] .files-list__row-checkbox .checkbox-radio-switch{display:flex;justify-content:center;--icon-size: var(--checkbox-size)}.files-list[data-v-056855cd] .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-056855cd] .files-list__row-checkbox .checkbox-radio-switch .checkbox-radio-switch__icon{margin:0 !important}.files-list[data-v-056855cd] .files-list__row:hover,.files-list[data-v-056855cd] .files-list__row:focus,.files-list[data-v-056855cd] .files-list__row:active,.files-list[data-v-056855cd] .files-list__row--active,.files-list[data-v-056855cd] .files-list__row--dragover{background-color:var(--color-background-hover);--color-text-maxcontrast: var(--color-main-text)}.files-list[data-v-056855cd] .files-list__row:hover>*,.files-list[data-v-056855cd] .files-list__row:focus>*,.files-list[data-v-056855cd] .files-list__row:active>*,.files-list[data-v-056855cd] .files-list__row--active>*,.files-list[data-v-056855cd] .files-list__row--dragover>*{--color-border: var(--color-border-dark)}.files-list[data-v-056855cd] .files-list__row:hover .favorite-marker-icon svg path,.files-list[data-v-056855cd] .files-list__row:focus .favorite-marker-icon svg path,.files-list[data-v-056855cd] .files-list__row:active .favorite-marker-icon svg path,.files-list[data-v-056855cd] .files-list__row--active .favorite-marker-icon svg path,.files-list[data-v-056855cd] .files-list__row--dragover .favorite-marker-icon svg path{stroke:var(--color-background-hover)}.files-list[data-v-056855cd] .files-list__row--dragover *{pointer-events:none}.files-list[data-v-056855cd] .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-056855cd] .files-list__row-icon *{cursor:pointer}.files-list[data-v-056855cd] .files-list__row-icon>span{justify-content:flex-start}.files-list[data-v-056855cd] .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-056855cd] .files-list__row-icon>span.folder-icon,.files-list[data-v-056855cd] .files-list__row-icon>span.folder-open-icon{margin:-3px}.files-list[data-v-056855cd] .files-list__row-icon>span.folder-icon svg,.files-list[data-v-056855cd] .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-056855cd] .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-056855cd] .files-list__row-icon-preview:not(.files-list__row-icon-preview--loaded){background:var(--color-loading-dark)}.files-list[data-v-056855cd] .files-list__row-icon-favorite{position:absolute;top:0px;right:-10px}.files-list[data-v-056855cd] .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-056855cd] .files-list__row-icon-overlay--file{color:var(--color-main-text);background:var(--color-main-background);border-radius:100%}.files-list[data-v-056855cd] .files-list__row-name{overflow:hidden;flex:1 1 auto}.files-list[data-v-056855cd] .files-list__row-name a{display:flex;align-items:center;width:100%;height:100%;min-width:0}.files-list[data-v-056855cd] .files-list__row-name a:focus-visible{outline:none}.files-list[data-v-056855cd] .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-056855cd] .files-list__row-name a:focus:not(:focus-visible) .files-list__row-name-text{outline:none !important}.files-list[data-v-056855cd] .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-056855cd] .files-list__row-name .files-list__row-name-ext{color:var(--color-text-maxcontrast);overflow:visible}.files-list[data-v-056855cd] .files-list__row-rename{width:100%;max-width:600px}.files-list[data-v-056855cd] .files-list__row-rename input{width:100%;margin-left:-8px;padding:2px 6px;border-width:2px}.files-list[data-v-056855cd] .files-list__row-rename input:invalid{border-color:var(--color-error);color:red}.files-list[data-v-056855cd] .files-list__row-actions{width:auto}.files-list[data-v-056855cd] .files-list__row-actions~td,.files-list[data-v-056855cd] .files-list__row-actions~th{margin:0 var(--cell-margin)}.files-list[data-v-056855cd] .files-list__row-actions button .button-vue__text{font-weight:normal}.files-list[data-v-056855cd] .files-list__row-action--inline{margin-right:7px}.files-list[data-v-056855cd] .files-list__row-mtime,.files-list[data-v-056855cd] .files-list__row-size{color:var(--color-text-maxcontrast)}.files-list[data-v-056855cd] .files-list__row-size{width:calc(var(--row-height)*1.5);justify-content:flex-end}.files-list[data-v-056855cd] .files-list__row-mtime{width:calc(var(--row-height)*2)}.files-list[data-v-056855cd] .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,iBAAA,CACA,aAAA,CACA,WAAA,CACA,2BAAA,CAIC,oCACC,mBAAA,CACA,0BAAA,CACA,YAAA,CACA,qBAAA,CACA,UAAA,CAEA,iBAAA,CAGA,uCACC,cAAA,CACA,0FAEC,6CAAA,CAMH,kDACC,YAAA,CACA,qBAAA,CAGD,iDACC,aAAA,CAGD,yDACC,iBAAA,CACA,KAAA,CACA,sBAAA,CACA,OAAA,CACA,YAAA,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\tposition: relative;\n\toverflow: auto;\n\theight: 100%;\n\twill-change: scroll-position;\n\n\t& :deep() {\n\t\t// Table head, body and footer\n\t\ttbody {\n\t\t\twill-change: padding;\n\t\t\tcontain: layout paint style;\n\t\t\tdisplay: flex;\n\t\t\tflex-direction: column;\n\t\t\twidth: 100%;\n\t\t\t// Necessary for virtual scrolling absolute\n\t\t\tposition: relative;\n\n\t\t\t/* Hover effect on tbody lines only */\n\t\t\ttr {\n\t\t\t\tcontain: strict;\n\t\t\t\t&:hover,\n\t\t\t\t&:focus {\n\t\t\t\t\tbackground-color: var(--color-background-dark);\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\t// Before table and thead\n\t\t.files-list__before {\n\t\t\tdisplay: flex;\n\t\t\tflex-direction: column;\n\t\t}\n\n\t\t.files-list__table {\n\t\t\tdisplay: block;\n\t\t}\n\n\t\t.files-list__thead-overlay {\n\t\t\tposition: absolute;\n\t\t\ttop: 0;\n\t\t\tleft: var(--row-height); // Save space for a row checkbox\n\t\t\tright: 0;\n\t\t\tz-index: 1000;\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 o=a},77292:(t,e,n)=>{"use strict";n.d(e,{Z:()=>o});var s=n(87537),i=n.n(s),r=n(23645),a=n.n(r)()(i());a.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 o=a},75136:(t,e,n)=>{"use strict";n.d(e,{Z:()=>o});var s=n(87537),i=n.n(s),r=n(23645),a=n.n(r)()(i());a.push([t.id,".app-navigation-entry__settings-quota--not-unlimited[data-v-18ceb3ce] .app-navigation-entry__name{margin-top:-6px}.app-navigation-entry__settings-quota progress[data-v-18ceb3ce]{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 o=a},49615:(t,e,n)=>{"use strict";n.d(e,{Z:()=>o});var s=n(87537),i=n.n(s),r=n(23645),a=n.n(r)()(i());a.push([t.id,".app-content[data-v-02896d42]{display:flex;overflow:hidden;flex-direction:column;max-height:100%;position:relative}.files-list__header[data-v-02896d42]{display:flex;align-items:center;flex:0 0;margin:4px 4px 4px 50px;max-width:100%}.files-list__header>*[data-v-02896d42]{flex:0 0}.files-list__header-share-button[data-v-02896d42]{opacity:.3}.files-list__header-share-button--shared[data-v-02896d42]{opacity:1}.files-list__refresh-icon[data-v-02896d42]{flex:0 0 44px;width:44px;height:44px}.files-list__loading-icon[data-v-02896d42]{margin:auto}","",{version:3,sources:["webpack://./apps/files/src/views/FilesList.vue"],names:[],mappings:"AACA,8BAEC,YAAA,CACA,eAAA,CACA,qBAAA,CACA,eAAA,CACA,iBAAA,CAOA,qCACC,YAAA,CACA,kBAAA,CAEA,QAAA,CAEA,uBAAA,CACA,cAAA,CACA,uCAGC,QAAA,CAGD,kDACC,UAAA,CACA,0DACC,SAAA,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;\n}\n\n$margin: 4px;\n$navigationToggleSize: 50px;\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\t// Align with the navigation toggle icon\n\t\tmargin: $margin $margin $margin $navigationToggleSize;\n\t\tmax-width: 100%;\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\topacity: .3;\n\t\t\t&--shared {\n\t\t\t\topacity: 1;\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\n"],sourceRoot:""}]);const o=a},87533:(t,e,n)=>{"use strict";n.d(e,{Z:()=>o});var s=n(87537),i=n.n(s),r=n(23645),a=n.n(r)()(i());a.push([t.id,".app-navigation[data-v-49c36efc] .app-navigation-entry-icon{background-repeat:no-repeat;background-position:center}.app-navigation[data-v-49c36efc] .app-navigation-entry.active .button-vue.icon-collapse:not(:hover){color:var(--color-primary-element-text)}.app-navigation>ul.app-navigation__list[data-v-49c36efc]{padding-bottom:var(--default-grid-baseline, 4px)}.app-navigation-entry__settings[data-v-49c36efc]{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 o=a},79232:(t,e,n)=>{"use strict";n.d(e,{Z:()=>o});var s=n(87537),i=n.n(s),r=n(23645),a=n.n(r)()(i());a.push([t.id,".setting-link[data-v-decd355e]: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 o=a},46700:(t,e,n)=>{var s={"./af":42786,"./af.js":42786,"./ar":30867,"./ar-dz":14130,"./ar-dz.js":14130,"./ar-kw":96135,"./ar-kw.js":96135,"./ar-ly":56440,"./ar-ly.js":56440,"./ar-ma":47702,"./ar-ma.js":47702,"./ar-sa":16040,"./ar-sa.js":16040,"./ar-tn":37100,"./ar-tn.js":37100,"./ar.js":30867,"./az":31083,"./az.js":31083,"./be":9808,"./be.js":9808,"./bg":68338,"./bg.js":68338,"./bm":67438,"./bm.js":67438,"./bn":8905,"./bn-bd":76225,"./bn-bd.js":76225,"./bn.js":8905,"./bo":11560,"./bo.js":11560,"./br":1278,"./br.js":1278,"./bs":80622,"./bs.js":80622,"./ca":2468,"./ca.js":2468,"./cs":5822,"./cs.js":5822,"./cv":50877,"./cv.js":50877,"./cy":47373,"./cy.js":47373,"./da":24780,"./da.js":24780,"./de":59740,"./de-at":60217,"./de-at.js":60217,"./de-ch":60894,"./de-ch.js":60894,"./de.js":59740,"./dv":5300,"./dv.js":5300,"./el":50837,"./el.js":50837,"./en-au":78348,"./en-au.js":78348,"./en-ca":77925,"./en-ca.js":77925,"./en-gb":22243,"./en-gb.js":22243,"./en-ie":46436,"./en-ie.js":46436,"./en-il":47207,"./en-il.js":47207,"./en-in":44175,"./en-in.js":44175,"./en-nz":76319,"./en-nz.js":76319,"./en-sg":31662,"./en-sg.js":31662,"./eo":92915,"./eo.js":92915,"./es":55655,"./es-do":55251,"./es-do.js":55251,"./es-mx":96112,"./es-mx.js":96112,"./es-us":71146,"./es-us.js":71146,"./es.js":55655,"./et":5603,"./et.js":5603,"./eu":77763,"./eu.js":77763,"./fa":76959,"./fa.js":76959,"./fi":11897,"./fi.js":11897,"./fil":42549,"./fil.js":42549,"./fo":94694,"./fo.js":94694,"./fr":94470,"./fr-ca":63049,"./fr-ca.js":63049,"./fr-ch":52330,"./fr-ch.js":52330,"./fr.js":94470,"./fy":5044,"./fy.js":5044,"./ga":29295,"./ga.js":29295,"./gd":2101,"./gd.js":2101,"./gl":38794,"./gl.js":38794,"./gom-deva":27884,"./gom-deva.js":27884,"./gom-latn":23168,"./gom-latn.js":23168,"./gu":95349,"./gu.js":95349,"./he":24206,"./he.js":24206,"./hi":30094,"./hi.js":30094,"./hr":30316,"./hr.js":30316,"./hu":22138,"./hu.js":22138,"./hy-am":11423,"./hy-am.js":11423,"./id":29218,"./id.js":29218,"./is":90135,"./is.js":90135,"./it":90626,"./it-ch":10150,"./it-ch.js":10150,"./it.js":90626,"./ja":39183,"./ja.js":39183,"./jv":24286,"./jv.js":24286,"./ka":12105,"./ka.js":12105,"./kk":47772,"./kk.js":47772,"./km":18758,"./km.js":18758,"./kn":79282,"./kn.js":79282,"./ko":33730,"./ko.js":33730,"./ku":1408,"./ku.js":1408,"./ky":33291,"./ky.js":33291,"./lb":36841,"./lb.js":36841,"./lo":55466,"./lo.js":55466,"./lt":57010,"./lt.js":57010,"./lv":37595,"./lv.js":37595,"./me":39861,"./me.js":39861,"./mi":35493,"./mi.js":35493,"./mk":95966,"./mk.js":95966,"./ml":87341,"./ml.js":87341,"./mn":5115,"./mn.js":5115,"./mr":10370,"./mr.js":10370,"./ms":9847,"./ms-my":41237,"./ms-my.js":41237,"./ms.js":9847,"./mt":72126,"./mt.js":72126,"./my":56165,"./my.js":56165,"./nb":64924,"./nb.js":64924,"./ne":16744,"./ne.js":16744,"./nl":93901,"./nl-be":59814,"./nl-be.js":59814,"./nl.js":93901,"./nn":83877,"./nn.js":83877,"./oc-lnc":92135,"./oc-lnc.js":92135,"./pa-in":15858,"./pa-in.js":15858,"./pl":64495,"./pl.js":64495,"./pt":89520,"./pt-br":57971,"./pt-br.js":57971,"./pt.js":89520,"./ro":96459,"./ro.js":96459,"./ru":21793,"./ru.js":21793,"./sd":40950,"./sd.js":40950,"./se":10490,"./se.js":10490,"./si":90124,"./si.js":90124,"./sk":64249,"./sk.js":64249,"./sl":14985,"./sl.js":14985,"./sq":51104,"./sq.js":51104,"./sr":49131,"./sr-cyrl":79915,"./sr-cyrl.js":79915,"./sr.js":49131,"./ss":85893,"./ss.js":85893,"./sv":98760,"./sv.js":98760,"./sw":91172,"./sw.js":91172,"./ta":27333,"./ta.js":27333,"./te":23110,"./te.js":23110,"./tet":52095,"./tet.js":52095,"./tg":27321,"./tg.js":27321,"./th":9041,"./th.js":9041,"./tk":19005,"./tk.js":19005,"./tl-ph":75768,"./tl-ph.js":75768,"./tlh":89444,"./tlh.js":89444,"./tr":72397,"./tr.js":72397,"./tzl":28254,"./tzl.js":28254,"./tzm":51106,"./tzm-latn":30699,"./tzm-latn.js":30699,"./tzm.js":51106,"./ug-cn":9288,"./ug-cn.js":9288,"./uk":67691,"./uk.js":67691,"./ur":13795,"./ur.js":13795,"./uz":6791,"./uz-latn":60588,"./uz-latn.js":60588,"./uz.js":6791,"./vi":65666,"./vi.js":65666,"./x-pseudo":14378,"./x-pseudo.js":14378,"./yo":75805,"./yo.js":75805,"./zh-cn":83839,"./zh-cn.js":83839,"./zh-hk":55726,"./zh-hk.js":55726,"./zh-mo":99807,"./zh-mo.js":99807,"./zh-tw":74152,"./zh-tw.js":74152};function i(t){var e=r(t);return n(e)}function r(t){if(!n.o(s,t)){var e=new Error("Cannot find module '"+t+"'");throw e.code="MODULE_NOT_FOUND",e}return s[t]}i.keys=function(){return Object.keys(s)},i.resolve=r,t.exports=i,i.id=46700},36099:(t,e,n)=>{var s=n(48764).Buffer;!function(t){t.parser=function(t,e){return new r(t,e)},t.SAXParser=r,t.SAXStream=o,t.createStream=function(t,e){return new o(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?(P(n,"Malformed comment"),n.comment+="--"+r,n.state=T.COMMENT):n.state=T.TEXT;continue;case T.CDATA:"]"===r?n.state=T.CDATA_ENDING:n.cdata+=r;continue;case T.CDATA_ENDING:"]"===r?n.state=T.CDATA_ENDING_2:(n.cdata+="]"+r,n.state=T.CDATA);continue;case T.CDATA_ENDING_2:">"===r?(n.cdata&&S(n,"oncdata",n.cdata),S(n,"onclosecdata"),n.cdata="",n.state=T.TEXT):"]"===r?n.cdata+="]":(n.cdata+="]]"+r,n.state=T.CDATA);continue;case T.PROC_INST:"?"===r?n.state=T.PROC_INST_ENDING:A(r)?n.state=T.PROC_INST_BODY:n.procInstName+=r;continue;case T.PROC_INST_BODY:if(!n.procInstBody&&A(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:v(f,r)?n.tagName+=r:(O(n),">"===r?j(n):"/"===r?n.state=T.OPEN_TAG_SLASH:(A(r)||P(n,"Invalid character in tag name"),n.state=T.ATTRIB));continue;case T.OPEN_TAG_SLASH:">"===r?(j(n,!0),U(n)):(P(n,"Forward-slash in opening tag not followed by >"),n.state=T.ATTRIB);continue;case T.ATTRIB:if(A(r))continue;">"===r?j(n):"/"===r?n.state=T.OPEN_TAG_SLASH:v(p,r)?(n.attribName=r,n.attribValue="",n.state=T.ATTRIB_NAME):P(n,"Invalid attribute name");continue;case T.ATTRIB_NAME:"="===r?n.state=T.ATTRIB_VALUE:">"===r?(P(n,"Attribute without value"),n.attribValue=n.attribName,D(n),j(n)):A(r)?n.state=T.ATTRIB_NAME_SAW_WHITE:v(f,r)?n.attribName+=r:P(n,"Invalid attribute name");continue;case T.ATTRIB_NAME_SAW_WHITE:if("="===r)n.state=T.ATTRIB_VALUE;else{if(A(r))continue;P(n,"Attribute without value"),n.tag.attributes[n.attribName]="",n.attribValue="",S(n,"onattribute",{name:n.attribName,value:""}),n.attribName="",">"===r?j(n):v(p,r)?(n.attribName=r,n.state=T.ATTRIB_NAME):(P(n,"Invalid attribute name"),n.state=T.ATTRIB)}continue;case T.ATTRIB_VALUE:if(A(r))continue;w(r)?(n.q=r,n.state=T.ATTRIB_VALUE_QUOTED):(P(n,"Unquoted attribute value"),n.state=T.ATTRIB_VALUE_UNQUOTED,n.attribValue=r);continue;case T.ATTRIB_VALUE_QUOTED:if(r!==n.q){"&"===r?n.state=T.ATTRIB_VALUE_ENTITY_Q:n.attribValue+=r;continue}D(n),n.q="",n.state=T.ATTRIB_VALUE_CLOSED;continue;case T.ATTRIB_VALUE_CLOSED:A(r)?n.state=T.ATTRIB:">"===r?j(n):"/"===r?n.state=T.OPEN_TAG_SLASH:v(p,r)?(P(n,"No whitespace between attributes"),n.attribName=r,n.attribValue="",n.state=T.ATTRIB_NAME):P(n,"Invalid attribute name");continue;case T.ATTRIB_VALUE_UNQUOTED:if(!y(r)){"&"===r?n.state=T.ATTRIB_VALUE_ENTITY_U:n.attribValue+=r;continue}D(n),">"===r?j(n):n.state=T.ATTRIB;continue;case T.CLOSE_TAG:if(n.tagName)">"===r?U(n):v(f,r)?n.tagName+=r:n.script?(n.script+=""===r?U(n):P(n,"Invalid characters in closing tag");continue;case T.TEXT_ENTITY:case T.ATTRIB_VALUE_ENTITY_Q:case T.ATTRIB_VALUE_ENTITY_U:var u,d;switch(n.state){case T.TEXT_ENTITY:u=T.TEXT,d="textNode";break;case T.ATTRIB_VALUE_ENTITY_Q:u=T.ATTRIB_VALUE_QUOTED,d="attribValue";break;case T.ATTRIB_VALUE_ENTITY_U:u=T.ATTRIB_VALUE_UNQUOTED,d="attribValue"}if(";"===r)if(n.opt.unparsedEntities){var m=R(n);n.entity="",n.state=u,n.write(m)}else n[d]+=R(n),n.entity="",n.state=u;else v(n.entity.length?h:g,r)?n.entity+=r:(P(n,"Invalid character in entity name"),n[d]+="&"+n.entity+r,n.entity="",n.state=u);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,a=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:I(e,"Max buffer length exceeded: "+i[r])}s=Math.max(s,o)}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(42830).Stream}catch(t){e=function(){}}e||(e=function(){});var a=t.EVENTS.filter((function(t){return"error"!==t&&"end"!==t}));function o(t,n){if(!(this instanceof o))return new o(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,a.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})}))}o.prototype=Object.create(e.prototype,{constructor:{value:o}}),o.prototype.write=function(t){if("function"==typeof s&&"function"==typeof s.isBuffer&&s.isBuffer(t)){if(!this._decoder){var e=n(32553).s;this._decoder=new e("utf8")}t=this._decoder.write(t)}return this._parser.write(t.toString()),this.emit("data",t),!0},o.prototype.end=function(t){return t&&t.length&&this.write(t),this._parser.end(),!0},o.prototype.on=function(t,n){var s=this;return s._parser["on"+t]||-1===a.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",u="http://www.w3.org/XML/1998/namespace",d="http://www.w3.org/2000/xmlns/",m={xml:u,xmlns:d},p=/[:_A-Za-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C-\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD]/,f=/[:_A-Za-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C-\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD\u00B7\u0300-\u036F\u203F-\u2040.\d-]/,g=/[#:_A-Za-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C-\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD]/,h=/[#:_A-Za-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C-\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD\u00B7\u0300-\u036F\u203F-\u2040.\d-]/;function A(t){return" "===t||"\n"===t||"\r"===t||"\t"===t}function w(t){return'"'===t||"'"===t}function y(t){return">"===t||A(t)}function v(t,e){return t.test(e)}function b(t,e){return!v(t,e)}var C,x,_,T=0;for(var E 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[E]]=E;function k(t,e,n){t[e]&&t[e](n)}function S(t,e,n){t.textNode&&L(t),k(t,e,n)}function L(t){t.textNode=N(t.opt,t.textNode),t.textNode&&k(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 I(t,e){return L(t),t.trackPosition&&(e+="\nLine: "+t.line+"\nColumn: "+t.column+"\nChar: "+t.c),e=new Error(e),t.error=e,k(t,"onerror",e),t}function F(t){return t.sawRoot&&!t.closedRoot&&P(t,"Unclosed root tag"),t.state!==T.BEGIN&&t.state!==T.BEGIN_WHITESPACE&&t.state!==T.TEXT&&I(t,"Unexpected end"),L(t),t.c="",t.closed=!0,k(t,"onend"),r.call(t,t.strict,t.opt),t}function P(t,e){if("object"!=typeof t||!(t instanceof r))throw new Error("bad call to strictFail");t.strict&&I(t,e)}function O(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 B(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=B(t.attribName,!0),n=e.prefix,s=e.local;if("xmlns"===n)if("xml"===s&&t.attribValue!==u)P(t,"xml: prefix must be bound to "+u+"\nActual: "+t.attribValue);else if("xmlns"===s&&t.attribValue!==d)P(t,"xmlns: prefix must be bound to "+d+"\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 j(t,e){if(t.opt.xmlns){var n=t.tag,s=B(t.tagName);n.prefix=s.prefix,n.local=s.local,n.uri=n.ns[s.prefix]||"",n.prefix&&!n.uri&&(P(t,"Unbound namespace prefix: "+JSON.stringify(t.tagName)),n.uri=s.prefix);var i=t.tags[t.tags.length-1]||t;n.ns&&i.ns!==n.ns&&Object.keys(n.ns).forEach((function(e){S(t,"onopennamespace",{prefix:e,uri:n.ns[e]})}));for(var r=0,a=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;)P(t,"Unexpected close tag");if(e<0)return P(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 a={};for(var o in r.ns)a[o]=r.ns[o];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?(P(t,"Invalid character entity"),"&"+t.entity+";"):String.fromCodePoint(e))}function z(t,e){"<"===e?(t.state=T.OPEN_WAKA,t.startTagPosition=t.position):A(e)||(P(t,"Non-whitespace before first tag."),t.textNode=e,t.state=T.TEXT)}function M(t,e){var n="";return e1114111||x(a)!==a)throw RangeError("Invalid code point: "+a);a<=65535?n.push(a):(t=55296+((a-=65536)>>10),e=a%1024+56320,n.push(t,e)),(s+1===i||n.length>16384)&&(r+=C.apply(null,n),n.length=0)}return r},Object.defineProperty?Object.defineProperty(String,"fromCodePoint",{value:_,configurable:!0,writable:!0}):String.fromCodePoint=_)}(e)},24889:function(t,e,n){var s=n(34155);!function(t,e){"use strict";if(!t.setImmediate){var n,i,r,a,o,l=1,c={},u=!1,d=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}}()?(a="setImmediate$"+Math.random()+"$",o=function(e){e.source===t&&"string"==typeof e.data&&0===e.data.indexOf(a)&&f(+e.data.slice(a.length))},t.addEventListener?t.addEventListener("message",o,!1):t.attachEvent("onmessage",o),n=function(e){t.postMessage(a+e,"*")}):t.MessageChannel?((r=new MessageChannel).port1.onmessage=function(t){f(t.data)},n=function(t){r.port2.postMessage(t)}):d&&"onreadystatechange"in d.createElement("script")?(i=d.documentElement,n=function(t){var e=d.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),a=e(t.ignoreSameProgress,!1),o=null,l=null,c=null,u=(n=e(t.historyTimeConstant,2.5),function(t,e,s){return t+s/(s+n)*(e-t)});function d(){m(i)}function m(t,e){if("number"!=typeof e&&(e=Date.now()),l!==e&&(!a||c!==t)){if(null===l||null===c)return c=t,void(l=e);var n=.001*(e-l),s=(t-c)/n;o=null===o?s:u(o,s,n),c=t,l=e}}return{start:d,reset:function(){o=null,l=null,c=null,r&&d()},report:m,estimate:function(t){if(null===c)return 1/0;if(c>=s)return 0;if(null===o)return 1/0;var e=(s-c)/o;return"number"==typeof t&&"number"==typeof l&&(e-=.001*(t-l)),Math.max(0,e)},rate:function(){return null===o?0:o}}}},75475: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(24889),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},50306:function(t,e){(function(){"use strict";e.stripBOM=function(t){return"\ufeff"===t[0]?t.substring(1):t}}).call(this)},34096:function(t,e,n){(function(){"use strict";var t,s,i,r,a,o={}.hasOwnProperty;t=n(5532),s=n(38381).defaults,r=function(t){return"string"==typeof t&&(t.indexOf("&")>=0||t.indexOf(">")>=0||t.indexOf("<")>=0)},a=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])o.call(n,e)&&(i=n[e],this.options[e]=i);for(e in t)o.call(t,e)&&(i=t[e],this.options[e]=i)}return e.prototype.buildObject=function(e){var n,i,l,c,u,d;return n=this.options.attrkey,i=this.options.charkey,1===Object.keys(e).length&&this.options.rootName===s[.2].rootName?e=e[u=Object.keys(e)[0]]:u=this.options.rootName,d=this,l=function(t,e){var s,c,u,m,p,f;if("object"!=typeof e)d.options.cdata&&r(e)?t.raw(a(e)):t.txt(e);else if(Array.isArray(e)){for(m in e)if(o.call(e,m))for(p in c=e[m])u=c[p],t=l(t.ele(p),u).up()}else for(p in e)if(o.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=d.options.cdata&&r(c)?t.raw(a(c)):t.txt(c);else if(Array.isArray(c))for(m in c)o.call(c,m)&&(t="string"==typeof(u=c[m])?d.options.cdata&&r(u)?t.ele(p).raw(a(u)).up():t.ele(p,u).up():l(t.ele(p),u).up());else"object"==typeof c?t=l(t.ele(p),c).up():"string"==typeof c&&d.options.cdata&&r(c)?t=t.ele(p).raw(a(c)).up():(null==c&&(c=""),t=t.ele(p,c.toString()).up());return t},c=t.create(u,this.options.xmldec,this.options.doctype,{headless:this.options.headless,allowSurrogateChars:this.options.allowSurrogateChars}),l(c,e).end(this.options.renderOpts)},e}()}).call(this)},38381: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)},99082:function(t,e,n){(function(){"use strict";var t,s,i,r,a,o,l,c,u,d=function(t,e){return function(){return t.apply(e,arguments)}},m={}.hasOwnProperty;c=n(36099),r=n(17187),t=n(50306),l=n(7526),u=n(75475).setImmediate,s=n(38381).defaults,a=function(t){return"object"==typeof t&&null!=t&&0===Object.keys(t).length},o=function(t,e,n){var s,i;for(s=0,i=t.length;s0&&(c[t.options.childkey]=d),d=c;return s.length>0?t.assignOrPush(g,u,d):(t.options.explicitRoot&&(f=d,i(d={},u,f)),t.resultObject=d,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,u(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)},7526: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)},5055:function(t,e,n){(function(){"use strict";var t,s,i,r,a={}.hasOwnProperty;s=n(38381),t=n(34096),i=n(99082),r=n(7526),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)a.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)},17557:function(t){(function(){t.exports={Disconnected:1,Preceding:2,Following:4,Contains:8,ContainedBy:16,ImplementationSpecific:32}}).call(this)},39335: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)},78369:function(t){(function(){var e,n,s,i,r,a,o,l=[].slice,c={}.hasOwnProperty;e=function(){var t,e,n,s,i,a;if(a=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)},66170:function(t,e,n){(function(){var e,s,i={}.hasOwnProperty;e=n(39335),s=n(6488),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)},6488:function(t,e,n){(function(){var e,s={}.hasOwnProperty;e=n(32026),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)},62096:function(t,e,n){(function(){var e,s,i={}.hasOwnProperty;e=n(39335),s=n(6488),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)},30383:function(t,e,n){(function(){var e,s;e=n(93933),s=n(66210),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)},93933:function(t){(function(){t.exports=function(){function t(){}return t.prototype.handleError=function(t){throw new Error(t)},t}()}).call(this)},91770: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)},66210: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)},51179:function(t,e,n){(function(){var e,s,i={}.hasOwnProperty;s=n(32026),e=n(39335),t.exports=function(t){function n(t,s,i,r,a,o){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(!a)throw new Error("Missing DTD attribute default. "+this.debugInfo(s));if(0!==a.indexOf("#")&&(a="#"+a),!a.match(/^(#REQUIRED|#IMPLIED|#FIXED|#DEFAULT)$/))throw new Error("Invalid default value type; expected: #REQUIRED, #IMPLIED, #FIXED or #DEFAULT. "+this.debugInfo(s));if(o&&!a.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),o&&(this.defaultValue=this.stringify.dtdAttDefault(o)),this.defaultValueType=a}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)},36347:function(t,e,n){(function(){var e,s,i={}.hasOwnProperty;s=n(32026),e=n(39335),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)},99078:function(t,e,n){(function(){var e,s,i,r={}.hasOwnProperty;i=n(78369).isObject,s=n(32026),e=n(39335),t.exports=function(t){function n(t,s,r,a){if(n.__super__.constructor.call(this,t),null==r)throw new Error("Missing DTD entity name. "+this.debugInfo(r));if(null==a)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(a)){if(!a.pubID&&!a.sysID)throw new Error("Public and/or system identifiers are required for an external entity. "+this.debugInfo(r));if(a.pubID&&!a.sysID)throw new Error("System identifier is required for a public external entity. "+this.debugInfo(r));if(this.internal=!1,null!=a.pubID&&(this.pubID=this.stringify.dtdPubID(a.pubID)),null!=a.sysID&&(this.sysID=this.stringify.dtdSysID(a.sysID)),null!=a.nData&&(this.nData=this.stringify.dtdNData(a.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(a),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)},44777:function(t,e,n){(function(){var e,s,i={}.hasOwnProperty;s=n(32026),e=n(39335),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)},59077:function(t,e,n){(function(){var e,s,i,r={}.hasOwnProperty;i=n(78369).isObject,s=n(32026),e=n(39335),t.exports=function(t){function n(t,s,r,a){var o;n.__super__.constructor.call(this,t),i(s)&&(s=(o=s).version,r=o.encoding,a=o.standalone),s||(s="1.0"),this.type=e.Declaration,this.version=this.stringify.xmlVersion(s),null!=r&&(this.encoding=this.stringify.xmlEncoding(r)),null!=a&&(this.standalone=this.stringify.xmlStandalone(a))}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)},8225:function(t,e,n){(function(){var e,s,i,r,a,o,l,c,u={}.hasOwnProperty;c=n(78369).isObject,l=n(32026),e=n(39335),s=n(51179),r=n(99078),i=n(36347),a=n(44777),o=n(40663),t.exports=function(t){function n(t,s,i){var r,a,o,l,u,d;if(n.__super__.constructor.call(this,t),this.type=e.DocType,t.children)for(a=0,o=(l=t.children).length;a=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,a;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,a=t.attribs)T.call(a,r)&&(n=a[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)},78833:function(t,e,n){(function(){var e,s,i={}.hasOwnProperty;s=n(32026),e=n(39335),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)},32161:function(t,e,n){(function(){var e,s,i,r,a,o,l,c,u={}.hasOwnProperty;c=n(78369),l=c.isObject,o=c.isFunction,a=c.getValue,r=n(32026),e=n(39335),s=n(72750),i=n(40663),t.exports=function(t){function n(t,s,i){var r,a,o,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(a=0,o=(l=t.children).length;a=i;e=0<=i?++s:--s)if(!this.attribs[e].isEqualNode(t.attribs[e]))return!1;return!0},n}(r)}).call(this)},40663: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)},32026:function(t,e,n){(function(){var e,s,i,r,a,o,l,c,u,d,m,p,f,g,h,A,w,y={}.hasOwnProperty;w=n(78369),A=w.isObject,h=w.isFunction,g=w.isEmpty,f=w.getValue,c=null,i=null,r=null,a=null,o=null,m=null,p=null,d=null,l=null,s=null,u=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(32161),i=n(66170),r=n(62096),a=n(59077),o=n(8225),m=n(79406),p=n(43595),d=n(19181),l=n(78833),s=n(39335),u=n(82390),n(40663),e=n(17557))}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 u(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,a;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,a=(o=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 a,o,l,c,u,d,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)&&(a=p[m],this.attribute(a,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,u=0,d=(f=t.children).length;u")}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)},26434:function(t,e,n){(function(){var e,s={}.hasOwnProperty;e=n(60751),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,a;for(e=this.filterOptions(e),r="",s=0,i=(a=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,a,o,l;if(n||(n=0),this.openNode(t,e,n),e.state=s.OpenTag,o=this.indent(t,e,n),o+="0){for(o+=" [",o+=this.endline(t,e,n),e.state=s.InsideTag,r=0,a=(l=t.children).length;r",o+=this.endline(t,e,n),e.state=s.None,this.closeNode(t,e,n),o},t.prototype.element=function(t,n,i){var a,o,l,c,u,d,m,p,f,g,h,A,w,y;for(f in i||(i=0),g=!1,h="",this.openNode(t,n,i),n.state=s.OpenTag,h+=this.indent(t,n,i)+"<"+t.name,A=t.attribs)r.call(A,f)&&(a=A[f],h+=this.attribute(a,n,i));if(c=0===(l=t.children.length)?null:t.children[0],0===l||t.children.every((function(t){return(t.type===e.Text||t.type===e.Raw)&&""===t.value})))n.allowEmpty?(h+=">",n.state=s.CloseTag,h+=""+this.endline(t,n,i)):(n.state=s.CloseTag,h+=n.spaceBeforeSlash+"/>"+this.endline(t,n,i));else if(!n.pretty||1!==l||c.type!==e.Text&&c.type!==e.Raw||null==c.value){if(n.dontPrettyTextNodes)for(u=0,m=(w=t.children).length;u"+this.endline(t,n,i),n.state=s.InsideTag,d=0,p=(y=t.children).length;d",g&&n.suppressPrettyCount--,h+=this.endline(t,n,i),n.state=s.None}else h+=">",n.state=s.InsideTag,n.suppressPrettyCount++,g=!0,h+=this.writeChildNode(c,n,i+1),n.suppressPrettyCount--,g=!1,n.state=s.CloseTag,h+=""+this.endline(t,n,i);return this.closeNode(t,n,i),h},t.prototype.writeChildNode=function(t,n,s){switch(t.type){case e.CData:return this.cdata(t,n,s);case e.Comment:return this.comment(t,n,s);case e.Element:return this.element(t,n,s);case e.Raw:return this.raw(t,n,s);case e.Text:return this.text(t,n,s);case e.ProcessingInstruction:return this.processingInstruction(t,n,s);case e.Dummy:return"";case e.Declaration:return this.declaration(t,n,s);case e.DocType:return this.docType(t,n,s);case e.AttributeDeclaration:return this.dtdAttList(t,n,s);case e.ElementDeclaration:return this.dtdElement(t,n,s);case e.EntityDeclaration:return this.dtdEntity(t,n,s);case e.NotationDeclaration:return this.dtdNotation(t,n,s);default:throw new Error("Unknown XML node type: "+t.constructor.name)}},t.prototype.processingInstruction=function(t,e,n){var i;return this.openNode(t,e,n),e.state=s.OpenTag,i=this.indent(t,e,n)+"",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)},5532:function(t,e,n){(function(){var e,s,i,r,a,o,l,c,u,d;d=n(78369),c=d.assign,u=d.isFunction,i=n(91770),r=n(66934),a=n(79227),l=n(26434),o=n(81996),e=n(39335),s=n(30594),t.exports.create=function(t,e,n,s){var i,a;if(null==t)throw new Error("Root element needs a name.");return s=c({},e,n,s),a=(i=new r(s)).element(t),s.headless||(i.declaration(s),null==s.pubID&&null==s.sysID||i.dtd(s)),a},t.exports.begin=function(t,e,n){var s;return u(t)&&(e=(s=[t,e])[0],n=s[1],t={}),e?new a(t,e,n):new r(t)},t.exports.stringWriter=function(t){return new l(t)},t.exports.streamWriter=function(t,e){return new o(t,e)},t.exports.implementation=new i,t.exports.nodeType=e,t.exports.writerState=s}).call(this)},88717: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"},79839: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"},52361:()=>{},94616:()=>{},5656:(t,e,n)=>{"use strict";n.d(e,{$B:()=>F,DT:()=>h,De:()=>y,G7:()=>re,Ir:()=>oe,NB:()=>I,RL:()=>U,Ti:()=>z,Tv:()=>k,Vn:()=>w,_o:()=>O,e4:()=>N,gt:()=>P,h7:()=>T,p$:()=>A,pC:()=>j,rp:()=>D,sS:()=>g,tB:()=>E,y3:()=>v});var s=n(77958),i=n(17499),r=n(31352),a=n(62520),o=n(65358),l=n(79753),c=n(14596);const u=null===(d=(0,s.ts)())?(0,i.IY)().setApp("files").build():(0,i.IY)().setApp("files").setUid(d.uid).build();var d;class m{_entries=[];registerEntry(t){this.validateEntry(t),this._entries.push(t)}unregisterEntry(t){const e="string"==typeof t?this.getEntryIndex(t):this.getEntryIndex(t.id);-1!==e?this._entries.splice(e,1):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")}}const p=["B","KB","MB","GB","TB","PB"],f=["B","KiB","MiB","GiB","TiB","PiB"];function g(t,e=!1,n=!1,s=!1){n=n&&!s,"string"==typeof t&&(t=Number(t));let i=t>0?Math.floor(Math.log(t)/Math.log(s?1e3:1024)):0;i=Math.min((n?f.length:p.length)-1,i);const a=n?f[i]:p[i];let o=(t/Math.pow(s?1e3:1024,i)).toFixed(1);return!0===e&&0===i?("0.0"!==o?"< 1 ":"0 ")+(n?f[1]:p[1]):(o=i<2?parseFloat(o).toFixed(0):parseFloat(o).toLocaleString((0,r.aj)()),o+" "+a)}var h=(t=>(t.DEFAULT="default",t.HIDDEN="hidden",t))(h||{});class A{_action;constructor(t){this.validateAction(t),this._action=t}get id(){return this._action.id}get displayName(){return this._action.displayName}get title(){return this._action.title}get iconSvgInline(){return this._action.iconSvgInline}get enabled(){return this._action.enabled}get exec(){return this._action.exec}get execBatch(){return this._action.execBatch}get order(){return this._action.order}get parent(){return this._action.parent}get default(){return this._action.default}get inline(){return this._action.inline}get renderInline(){return this._action.renderInline}validateAction(t){if(!t.id||"string"!=typeof t.id)throw new Error("Invalid id");if(!t.displayName||"function"!=typeof t.displayName)throw new Error("Invalid displayName function");if("title"in t&&"function"!=typeof t.title)throw new Error("Invalid title function");if(!t.iconSvgInline||"function"!=typeof t.iconSvgInline)throw new Error("Invalid iconSvgInline function");if(!t.exec||"function"!=typeof t.exec)throw new Error("Invalid exec function");if("enabled"in t&&"function"!=typeof t.enabled)throw new Error("Invalid enabled function");if("execBatch"in t&&"function"!=typeof t.execBatch)throw new Error("Invalid execBatch function");if("order"in t&&"number"!=typeof t.order)throw new Error("Invalid order");if("parent"in t&&"string"!=typeof t.parent)throw new Error("Invalid parent");if(t.default&&!Object.values(h).includes(t.default))throw new Error("Invalid default");if("inline"in t&&"function"!=typeof t.inline)throw new Error("Invalid inline function");if("renderInline"in t&&"function"!=typeof t.renderInline)throw new Error("Invalid renderInline function")}}const w=function(){return typeof window._nc_fileactions>"u"&&(window._nc_fileactions=[],u.debug("FileActions initialized")),window._nc_fileactions},y=function(){return typeof window._nc_filelistheader>"u"&&(window._nc_filelistheader=[],u.debug("FileListHeaders initialized")),window._nc_filelistheader};var v=(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))(v||{});const b=["d:getcontentlength","d:getcontenttype","d:getetag","d:getlastmodified","d:quota-available-bytes","d:resourcetype","nc:has-preview","nc:is-encrypted","nc:mount-type","nc:share-attributes","oc:comments-unread","oc:favorite","oc:fileid","oc:owner-display-name","oc:owner-id","oc:permissions","oc:share-types","oc:size","ocs:share-permissions"],C={d:"DAV:",nc:"http://nextcloud.org/ns",oc:"http://owncloud.org/ns",ocs:"http://open-collaboration-services.org/ns"},x=function(){return typeof window._nc_dav_properties>"u"&&(window._nc_dav_properties=[...b]),window._nc_dav_properties.map((t=>`<${t} />`)).join(" ")},_=function(){return typeof window._nc_dav_namespaces>"u"&&(window._nc_dav_namespaces={...C}),Object.keys(window._nc_dav_namespaces).map((t=>`xmlns:${t}="${window._nc_dav_namespaces?.[t]}"`)).join(" ")},T=function(){return`\n\t\t\n\t\t\t\n\t\t\t\t${x()}\n\t\t\t\n\t\t`},E=function(t){return`\n\n\t\n\t\t\n\t\t\t\n\t\t\t\t${x()}\n\t\t\t\n\t\t\n\t\t\n\t\t\t\n\t\t\t\t/files/${(0,s.ts)()?.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`};var k=(t=>(t.Folder="folder",t.File="file",t))(k||{});const S=function(t,e){return null!==t.match(e)},L=(t,e)=>{if(t.id&&"number"!=typeof t.id)throw new Error("Invalid id type of value");if(!t.source)throw new Error("Missing mandatory source");try{new URL(t.source)}catch{throw new Error("Invalid source format, source must be a valid URL")}if(!t.source.startsWith("http"))throw new Error("Invalid source format, only http(s) is supported");if(t.mtime&&!(t.mtime instanceof Date))throw new Error("Invalid mtime type");if(t.crtime&&!(t.crtime instanceof Date))throw new Error("Invalid crtime type");if(!t.mime||"string"!=typeof t.mime||!t.mime.match(/^[-\w.]+\/[-+\w.]+$/gi))throw new Error("Missing or invalid mandatory mime");if("size"in t&&"number"!=typeof t.size&&void 0!==t.size)throw new Error("Invalid size type");if("permissions"in t&&void 0!==t.permissions&&!("number"==typeof t.permissions&&t.permissions>=v.NONE&&t.permissions<=v.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&&S(t.source,e)){const n=t.source.match(e)[0];if(!t.source.includes((0,a.join)(n,t.root)))throw new Error("The root must be relative to the service. e.g /files/emma")}if(t.status&&!Object.values(N).includes(t.status))throw new Error("Status must be a valid NodeStatus")};var N=(t=>(t.NEW="new",t.FAILED="failed",t.LOADING="loading",t.LOCKED="locked",t))(N||{});class I{_data;_attributes;_knownDavService=/(remote|public)\.php\/(web)?dav/i;constructor(t,e){L(t,e||this._knownDavService),this._data=t;const n={set:(t,e,n)=>(this.updateMtime(),Reflect.set(t,e,n)),deleteProperty:(t,e)=>(this.updateMtime(),Reflect.deleteProperty(t,e))};this._attributes=new Proxy(t.attributes||{},n),delete this._data.attributes,e&&(this._knownDavService=e)}get source(){return this._data.source.replace(/\/$/i,"")}get encodedSource(){const{origin:t}=new URL(this.source);return t+(0,o.Ec)(this.source.slice(t.length))}get basename(){return(0,a.basename)(this.source)}get extension(){return(0,a.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,a.dirname)(t.slice(e+n.length)||"/")}const t=new URL(this.source);return(0,a.dirname)(t.pathname)}get mime(){return this._data.mime}get mtime(){return this._data.mtime}get crtime(){return this._data.crtime}get size(){return this._data.size}get attributes(){return this._attributes}get permissions(){return null!==this.owner||this.isDavRessource?void 0!==this._data.permissions?this._data.permissions:v.NONE:v.READ}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,a.dirname)(this.source).split(this._knownDavService).pop()||null}get path(){if(this.root){let t=this.source;this.isDavRessource&&(t=t.split(this._knownDavService).pop());const e=t.indexOf(this.root),n=this.root.replace(/\/$/,"");return t.slice(e+n.length)||"/"}return(this.dirname+"/"+this.basename).replace(/\/\//g,"/")}get fileid(){return this._data?.id||this.attributes?.fileid}get status(){return this._data?.status}set status(t){this._data.status=t}move(t){L({...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,a.dirname)(this.source)+"/"+t)}updateMtime(){this._data.mtime&&(this._data.mtime=new Date)}}class F extends I{get type(){return k.File}}class P extends I{constructor(t){super({...t,mime:"httpd/unix-directory"})}get type(){return k.Folder}get extension(){return null}get mime(){return"httpd/unix-directory"}}const O=`/files/${(0,s.ts)()?.uid}`,B=(0,l.generateRemoteUrl)("dav"),D=function(t=B,e={}){const n=(0,c.eI)(t,{headers:e});function i(t){n.setHeaders({...e,"X-Requested-With":"XMLHttpRequest",requesttoken:t??""})}return(0,s._S)(i),i((0,s.IH)()),(0,c.lD)().patch("fetch",((t,e)=>{const n=e.headers;return n?.method&&(e.method=n.method,delete n.method),fetch(t,e)})),n},j=async(t,e="/",n=O)=>(await t.getDirectoryContents(`${n}${e}`,{details:!0,data:`\n\t\t\n\t\t\t\n\t\t\t\t${x()}\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))),U=function(t,e=O,n=B){const i=t.props,r=function(t=""){let e=v.NONE;return t&&((t.includes("C")||t.includes("K"))&&(e|=v.CREATE),t.includes("G")&&(e|=v.READ),(t.includes("W")||t.includes("N")||t.includes("V"))&&(e|=v.UPDATE),t.includes("D")&&(e|=v.DELETE),t.includes("R")&&(e|=v.SHARE)),e}(i?.permissions),a=i?.["owner-id"]||(0,s.ts)()?.uid,o={id:i?.fileid||0,source:`${n}${t.filename}`,mtime:new Date(Date.parse(t.lastmod)),mime:t.mime,size:i?.size||Number.parseInt(i.getcontentlength||"0"),permissions:r,owner:a,root:e,attributes:{...t,...i,hasPreview:i?.["has-preview"]}};return delete o.attributes?.props,"file"===t.type?new F(o):new P(o)};class R{_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 z=function(){return typeof window._nc_navigation>"u"&&(window._nc_navigation=new R,u.debug("Navigation service initialized")),window._nc_navigation};class M{_column;constructor(t){V(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 V=function(t){if(!t.id||"string"!=typeof t.id)throw new Error("A column id is required");if(!t.title||"string"!=typeof t.title)throw new Error("A column title is required");if(!t.render||"function"!=typeof t.render)throw new Error("A render function is required");if(t.sort&&"function"!=typeof t.sort)throw new Error("Column sortFunction must be a function");if(t.summary&&"function"!=typeof t.summary)throw new Error("Column summary must be a function");return!0};var $={},q={};!function(t){const e=":A-Za-z_\\u00C0-\\u00D6\\u00D8-\\u00F6\\u00F8-\\u02FF\\u0370-\\u037D\\u037F-\\u1FFF\\u200C-\\u200D\\u2070-\\u218F\\u2C00-\\u2FEF\\u3001-\\uD7FF\\uF900-\\uFDCF\\uFDF0-\\uFFFD",n="["+e+"]["+e+"\\-.\\d\\u00B7\\u0300-\\u036F\\u203F-\\u2040]*",s=new RegExp("^"+n+"$");t.isExist=function(t){return typeof t<"u"},t.isEmptyObject=function(t){return 0===Object.keys(t).length},t.merge=function(t,e,n){if(e){const s=Object.keys(e),i=s.length;for(let r=0;r"u")},t.getAllMatches=function(t,e){const n=[];let s=e.exec(t);for(;s;){const i=[];i.startIndex=e.lastIndex-s[0].length;const r=s.length;for(let t=0;t5&&"xml"===s)return nt("InvalidXml","XML declaration allowed only at the start of the document.",rt(t,e));if("?"==t[e]&&">"==t[e+1]){e++;break}continue}return e}function W(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}$.validate=function(t,e){e=Object.assign({},G,e);const n=[];let s=!1,i=!1;"\ufeff"===t[0]&&(t=t.substr(1));for(let r=0;r"!==t[r]&&" "!==t[r]&&"\t"!==t[r]&&"\n"!==t[r]&&"\r"!==t[r];r++)l+=t[r];if(l=l.trim(),"/"===l[l.length-1]&&(l=l.substring(0,l.length-1),r--),!it(l)){let e;return e=0===l.trim().length?"Invalid space after '<'.":"Tag '"+l+"' is an invalid name.",nt("InvalidTag",e,rt(t,r))}const c=Q(t,r);if(!1===c)return nt("InvalidAttr","Attributes for '"+l+"' have open quote.",rt(t,r));let u=c.value;if(r=c.index,"/"===u[u.length-1]){const n=r-u.length;u=u.substring(0,u.length-1);const i=tt(u,e);if(!0!==i)return nt(i.err.code,i.err.msg,rt(t,n+i.err.line));s=!0}else if(o){if(!c.tagClosed)return nt("InvalidTag","Closing tag '"+l+"' doesn't have proper closing.",rt(t,r));if(u.trim().length>0)return nt("InvalidTag","Closing tag '"+l+"' can't have attributes or invalid starting.",rt(t,a));{const e=n.pop();if(l!==e.tagName){let n=rt(t,e.tagStartPos);return nt("InvalidTag","Expected closing tag '"+e.tagName+"' (opened in line "+n.line+", col "+n.col+") instead of closing tag '"+l+"'.",rt(t,a))}0==n.length&&(i=!0)}}else{const o=tt(u,e);if(!0!==o)return nt(o.err.code,o.err.msg,rt(t,r-u.length+o.err.line));if(!0===i)return nt("InvalidXml","Multiple possible root nodes found.",rt(t,r));-1!==e.unpairedTags.indexOf(l)||n.push({tagName:l,tagStartPos:a}),s=!0}for(r++;r0)||nt("InvalidXml","Invalid '"+JSON.stringify(n.map((t=>t.tagName)),null,4).replace(/\r?\n/g,"")+"' found.",{line:1,col:1}):nt("InvalidXml","Start tag expected.",1)};const K='"',J="'";function Q(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 X=new RegExp("(\\s*)([^\\s=]+)(\\s*=)?(\\s*(['\"])(([\\s\\S])*?)\\5)?","g");function tt(t,e){const n=H.getAllMatches(t,X),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}};ot.buildOptions=function(t){return Object.assign({},lt,t)},ot.defaultOptions=lt;const ct=q;function ut(t,e){let n="";for(;e0?this.child.push({[t.tagname]:t.child,":@":t[":@"]}):this.child.push({[t.tagname]:t.child})}},Ct=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,a="";for(;e"===t[e]){if(r?"-"===t[e-1]&&"-"===t[e-2]&&(r=!1,s--):s--,0===s)break}else"["===t[e]?i=!0:a+=t[e];else{if(i&&mt(t,e))e+=7,[entityName,val,e]=ut(t,e+1),-1===val.indexOf("&")&&(n[ht(entityName)]={regx:RegExp(`&${entityName};`,"g"),val});else if(i&&pt(t,e))e+=8;else if(i&&ft(t,e))e+=8;else if(i&>(t,e))e+=9;else{if(!dt)throw new Error("Invalid DOCTYPE");r=!0}s++,a=""}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&&At.test(n))return Number.parseInt(n,16);{const s=wt.exec(n);if(s){const i=s[1],r=s[2];let a=function(t){return t&&-1!==t.indexOf(".")&&("."===(t=t.replace(/0+$/,""))?t="0":"."===t[0]?t="0"+t:"."===t[t.length-1]&&(t=t.substr(0,t.length-1))),t}(s[3]);const o=s[4]||s[6];if(!e.leadingZeros&&r.length>0&&i&&"."!==n[2])return t;if(!e.leadingZeros&&r.length>0&&!i&&"."!==n[1])return t;{const s=Number(n),l=""+s;return-1!==l.search(/[eE]/)||o?e.eNotation?s:t:-1!==n.indexOf(".")?"0"===l&&""===a||l===a||i&&l==="-"+a?s:t:r?a===l||i+a===l?s:t:n===l||n===i+l?s:t}}return t}};function _t(t){const e=Object.keys(t);for(let n=0;n0)){a||(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}"<((!\\[CDATA\\[([\\s\\S]*?)(]]>))|((NAME:)?(NAME))([^>]*)>|((\\/)(NAME)\\s*>))([^<]*)".replace(/NAME/g,vt.nameRegexp);const kt=new RegExp("([^\\s=]+)\\s*(=\\s*(['\"])([\\s\\S]*?)\\3)?","gm");function St(t,e,n){if(!this.options.ignoreAttributes&&"string"==typeof t){const n=vt.getAllMatches(t,kt),s=n.length,i={};for(let t=0;t",r,"Closing Tag is not closed.");let a=t.substring(r+2,e).trim();if(this.options.removeNSPrefix){const t=a.indexOf(":");-1!==t&&(a=a.substr(t+1))}this.options.transformTagName&&(a=this.options.transformTagName(a)),n&&(s=this.saveTextToParentTag(s,n,i));const o=i.substring(i.lastIndexOf(".")+1);if(a&&-1!==this.options.unpairedTags.indexOf(a))throw new Error(`Unpaired tag can not be used as closing tag: `);let l=0;o&&-1!==this.options.unpairedTags.indexOf(o)?(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=Bt(t,r,!1,"?>");if(!e)throw new Error("Pi Tag is not closed.");if(s=this.saveTextToParentTag(s,n,i),!(this.options.ignoreDeclaration&&"?xml"===e.tagName||this.options.ignorePiTags)){const t=new bt(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 a=t.substring(r+4,e-2);s=this.saveTextToParentTag(s,n,i),n.add(this.options.commentPropName,[{[this.options.textNodeName]:a}])}r=e}else if("!D"===t.substr(r+1,2)){const e=Ct(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,a=t.substring(r+9,e);if(s=this.saveTextToParentTag(s,n,i),this.options.cdataPropName)n.add(this.options.cdataPropName,[{[this.options.textNodeName]:a}]);else{let t=this.parseTextData(a,n.tagname,i,!0,!1,!0);null==t&&(t=""),n.add(this.options.textNodeName,t)}r=e+2}else{let a=Bt(t,r,this.options.removeNSPrefix),o=a.tagName;const l=a.rawTagName;let c=a.tagExp,u=a.attrExpPresent,d=a.closeIndex;this.options.transformTagName&&(o=this.options.transformTagName(o)),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("."))),o!==e.tagname&&(i+=i?"."+o:o),this.isItStopNode(this.options.stopNodes,i,o)){let e="";if(c.length>0&&c.lastIndexOf("/")===c.length-1)r=a.closeIndex;else if(-1!==this.options.unpairedTags.indexOf(o))r=a.closeIndex;else{const n=this.readStopNodeData(t,l,d+1);if(!n)throw new Error(`Unexpected end of ${l}`);r=n.i,e=n.tagContent}const s=new bt(o);o!==c&&u&&(s[":@"]=this.buildAttributesMap(c,i,o)),e&&(e=this.parseTextData(e,o,i,!0,u,!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){"/"===o[o.length-1]?(o=o.substr(0,o.length-1),i=i.substr(0,i.length-1),c=o):c=c.substr(0,c.length-1),this.options.transformTagName&&(o=this.options.transformTagName(o));const t=new bt(o);o!==c&&u&&(t[":@"]=this.buildAttributesMap(c,i,o)),this.addChild(n,t,i),i=i.substr(0,i.lastIndexOf("."))}else{const t=new bt(o);this.tagsNodeStack.push(n),o!==c&&u&&(t[":@"]=this.buildAttributesMap(c,i,o)),this.addChild(n,t,i),n=t}s="",r=d}}else s+=t[r];return e.child};function Nt(t,e,n){const s=this.options.updateTag(e.tagname,n,e[":@"]);!1===s||("string"==typeof s&&(e.tagname=s),t.addChild(e))}const It=function(t){if(this.options.processEntities){for(let e in this.docTypeEntities){const n=this.docTypeEntities[e];t=t.replace(n.regx,n.val)}for(let e in this.lastEntities){const n=this.lastEntities[e];t=t.replace(n.regex,n.val)}if(this.options.htmlEntities)for(let e in this.htmlEntities){const n=this.htmlEntities[e];t=t.replace(n.regex,n.val)}t=t.replace(this.ampEntity.regex,this.ampEntity.val)}return t};function 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 Pt(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 Bt(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=Bt(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 vt.isExist(t)?t:""}var Ut={};function Rt(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:"₹"}},this.addExternalEntities=_t,this.parseXml=Lt,this.parseTextData=Tt,this.resolveNameSpace=Et,this.buildAttributesMap=St,this.isItStopNode=Pt,this.replaceEntitiesValue=It,this.readStopNodeData=Dt,this.saveTextToParentTag=Ft,this.addChild=Nt}},{prettify:Ht}=Ut,Gt=$;function Zt(t,e,n,s){let i="",r=!1;for(let a=0;a`,r=!1;continue}if(l===e.commentPropName){i+=s+`\x3c!--${o[l][0][e.textNodeName]}--\x3e`,r=!0;continue}if("?"===l[0]){const t=Wt(o[":@"],e),n="?xml"===l?"":s;let a=o[l][0][e.textNodeName];a=0!==a.length?" "+a:"",i+=n+`<${l}${a}${t}?>`,r=!0;continue}let u=s;""!==u&&(u+=e.indentBy);const d=s+`<${l}${Wt(o[":@"],e)}`,m=Zt(o[l],e,c,u);-1!==e.unpairedTags.indexOf(l)?e.suppressUnpairedNode?i+=d+">":i+=d+"/>":m&&0!==m.length||!e.suppressEmptyNode?m&&m.endsWith(">")?i+=d+`>${m}${s}`:(i+=d+">",m&&""!==s&&(m.includes("/>")||m.includes("`):i+=d+"/>",r=!0}return i}function Yt(t){const e=Object.keys(t);for(let n=0;n0&&e.processEntities)for(let n=0;n0&&(n="\n"),Zt(t,e,"",n)},Xt={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 te(t){this.options=Object.assign({},Xt,t),this.options.ignoreAttributes||this.options.attributesGroupName?this.isAttribute=function(){return!1}:(this.attrPrefixLen=this.options.attributeNamePrefix.length,this.isAttribute=se),this.processTextOrObjNode=ee,this.options.format?(this.indentate=ne,this.tagEndChar=">\n",this.newLine="\n"):(this.indentate=function(){return""},this.tagEndChar=">",this.newLine="")}function ee(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 ne(t){return this.options.indentBy.repeat(t)}function se(t){return!(!t.startsWith(this.options.attributeNamePrefix)||t===this.options.textNodeName)&&t.substr(this.attrPrefixLen)}te.prototype.build=function(t){return this.options.preserveOrder?Qt(t,this.options):(Array.isArray(t)&&this.options.arrayNodeName&&this.options.arrayNodeName.length>1&&(t={[this.options.arrayNodeName]:t}),this.j2x(t,0).val)},te.prototype.j2x=function(t,e){let n="",s="";for(let i in t)if(Object.prototype.hasOwnProperty.call(t,i))if(typeof t[i]>"u")this.isAttribute(i)&&(s+="");else if(null===t[i])this.isAttribute(i)?s+="":"?"===i[0]?s+=this.indentate(e)+"<"+i+"?"+this.tagEndChar:s+=this.indentate(e)+"<"+i+"/"+this.tagEndChar;else if(t[i]instanceof Date)s+=this.buildTextValNode(t[i],i,"",e);else if("object"!=typeof t[i]){const r=this.isAttribute(i);if(r)n+=this.buildAttrPairStr(r,""+t[i]);else if(i===this.options.textNodeName){let e=this.options.tagValueProcessor(i,""+t[i]);s+=this.replaceEntitiesValue(e)}else s+=this.buildTextValNode(t[i],i,"",e)}else if(Array.isArray(t[i])){const n=t[i].length;let r="";for(let a=0;a"u"||(null===n?"?"===i[0]?s+=this.indentate(e)+"<"+i+"?"+this.tagEndChar:s+=this.indentate(e)+"<"+i+"/"+this.tagEndChar:"object"==typeof n?this.options.oneListGroup?r+=this.j2x(n,e+1).val:r+=this.processTextOrObjNode(n,i,e):r+=this.buildTextValNode(n,i,"",e))}this.options.oneListGroup&&(r=this.buildObjectNode(r,i,"",e)),s+=r}else if(this.options.attributesGroupName&&i===this.options.attributesGroupName){const e=Object.keys(t[i]),s=e.length;for(let r=0;r"+t+i}},te.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||!0!==ie.XMLValidator.validate(t))return!1;let e;const n=new ie.XMLParser;try{e=n.parse(t)}catch{return!1}return!(!e||!("svg"in e))}(t.icon))throw new Error("View icon is required and must be a valid svg string");if(!("order"in t)||"number"!=typeof t.order)throw new Error("View order is required and must be a number");if(t.columns&&t.columns.forEach((t=>{if(!(t instanceof M))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},oe=function(t){return(typeof window._nc_newfilemenu>"u"&&(window._nc_newfilemenu=new m,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"})))}},99125:(t,e,n)=>{"use strict";n.d(e,{U:()=>un,a:()=>on,g:()=>mn,l:()=>Je,n:()=>tn,t:()=>ln});var s=n(93379),i=n.n(s),r=n(7795),a=n.n(r),o=n(90569),l=n.n(o),c=n(3565),u=n.n(c),d=n(19216),m=n.n(d),p=n(44589),f=n.n(p),g=n(75716),h={};h.styleTagTransform=f(),h.setAttributes=u(),h.insert=l().bind(null,"head"),h.domAPI=a(),h.insertStyleElement=m(),i()(g.Z,h),g.Z&&g.Z.locals&&g.Z.locals;var A=n(65358),w=n(5656),y=n(79753),v=n(77958),b=n(93664);class C 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 _{static fn(t){return(...e)=>new _(((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 C(t))}}get isCanceled(){return this.#n===x.canceled}#r(t){this.#n===x.pending&&(this.#n=t)}}Object.setPrototypeOf(_.prototype,Promise.prototype);var T=n(51772);class E extends Error{constructor(t){super(t),this.name="TimeoutError"}}class k extends Error{constructor(t){super(),this.name="AbortError",this.message=t}}const S=t=>void 0===globalThis.DOMException?new k(t):new DOMException(t),L=t=>{const e=void 0===t.reason?S("This operation was aborted."):t.reason;return e instanceof Error?e:S(e)};class N{#a=[];enqueue(t,e){const n={priority:(e={priority:0,...e}).priority,run:t};if(this.size&&this.#a[this.size-1].priority>=e.priority)return void this.#a.push(n);const s=function(t,e,n){let s=0,i=t.length;for(;i>0;){const r=Math.trunc(i/2);let a=s+r;n(t[a],e)<=0?(s=++a,i-=r+1):i=r}return s}(this.#a,n,((t,e)=>e.priority-t.priority));this.#a.splice(s,0,n)}dequeue(){const t=this.#a.shift();return t?.run}filter(t){return this.#a.filter((e=>e.priority===t.priority)).map((t=>t.run))}get size(){return this.#a.length}}class I extends T{#o;#l;#c=0;#u;#d;#m=0;#p;#f;#a;#g;#h=0;#A;#w;#y;timeout;constructor(t){if(super(),!("number"==typeof(t={carryoverConcurrencyCount:!1,intervalCap:Number.POSITIVE_INFINITY,interval:0,concurrency:Number.POSITIVE_INFINITY,autoStart:!0,queueClass:N,...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.#o=t.carryoverConcurrencyCount,this.#l=t.intervalCap===Number.POSITIVE_INFINITY||0===t.interval,this.#u=t.intervalCap,this.#d=t.interval,this.#a=new t.queueClass,this.#g=t.queueClass,this.concurrency=t.concurrency,this.timeout=t.timeout,this.#y=!0===t.throwOnTimeout,this.#w=!1===t.autoStart}get#v(){return this.#l||this.#c{this.#_()}),e)),!0;this.#c=this.#o?this.#h:0}return!1}#x(){if(0===this.#a.size)return this.#p&&clearInterval(this.#p),this.#p=void 0,this.emit("empty"),0===this.#h&&this.emit("idle"),!1;if(!this.#w){const t=!this.#k;if(this.#v&&this.#b){const e=this.#a.dequeue();return!!e&&(this.emit("active"),e(),t&&this.#E(),!0)}}return!1}#E(){this.#l||void 0!==this.#p||(this.#p=setInterval((()=>{this.#T()}),this.#d),this.#m=Date.now()+this.#d)}#T(){0===this.#c&&0===this.#h&&this.#p&&(clearInterval(this.#p),this.#p=void 0),this.#c=this.#o?this.#h:0,this.#S()}#S(){for(;this.#x(););}get concurrency(){return this.#A}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.#A=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.#y,...e},new Promise(((n,s)=>{this.#a.enqueue((async()=>{this.#h++,this.#c++;try{e.signal?.throwIfAborted();let s=t({signal:e.signal});e.timeout&&(s=function(t,e){const{milliseconds:n,fallback:s,message:i,customTimers:r={setTimeout,clearTimeout}}=e;let a;const o=new Promise(((o,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(L(t)),t.addEventListener("abort",(()=>{l(L(t))}))}if(n===Number.POSITIVE_INFINITY)return void t.then(o,l);const c=new E;a=r.setTimeout.call(void 0,(()=>{if(s)try{o(s())}catch(t){l(t)}else"function"==typeof t.cancel&&t.cancel(),!1===i?o():i instanceof Error?l(i):(c.message=i??`Promise timed out after ${n} milliseconds`,l(c))}),n),(async()=>{try{o(await t)}catch(t){l(t)}})()})).finally((()=>{o.clear()}));return o.clear=()=>{r.clearTimeout.call(void 0,a),a=void 0},o}(Promise.resolve(s),{milliseconds:e.timeout})),e.signal&&(s=Promise.race([s,this.#L(e.signal)]));const i=await s;n(i),this.emit("completed",i)}catch(t){if(t instanceof E&&!e.throwOnTimeout)return void n();s(t),this.emit("error",t)}finally{this.#C()}}),e),this.emit("add"),this.#x()}))}async addAll(t,e){return Promise.all(t.map((async t=>this.add(t,e))))}start(){return this.#w?(this.#w=!1,this.#S(),this):this}pause(){this.#w=!0}clear(){this.#a=new this.#g}async onEmpty(){0!==this.#a.size&&await this.#N("empty")}async onSizeLessThan(t){this.#a.sizethis.#a.size{const s=()=>{e&&!e()||(this.off(t,s),n())};this.on(t,s)}))}get size(){return this.#a.size}sizeBy(t){return this.#a.filter(t).length}get pending(){return this.#h}get isPaused(){return this.#w}}var F=n(43452);const P=(t,e,n)=>t.bind(n);var O=n(17499),B=n(64024),D=n(69481),j=n(20144),U=n(23928),R=n(61057),z=n(29497),M=n(46226),V=n(29094),$=n(48264),q=n(48764).Buffer,H=n(25108);function G(t,e){return function(){return t.apply(e,arguments)}}const{toString:Z}=Object.prototype,{getPrototypeOf:Y}=Object,W=(tt=Object.create(null),t=>{const e=Z.call(t);return tt[e]||(tt[e]=e.slice(8,-1).toLowerCase())}),K=t=>(t=t.toLowerCase(),e=>W(e)===t),J=t=>e=>typeof e===t,{isArray:Q}=Array,X=J("undefined");var tt;const et=K("ArrayBuffer"),nt=J("string"),st=J("function"),it=J("number"),rt=t=>null!==t&&"object"==typeof t,at=t=>{if("object"!==W(t))return!1;const e=Y(t);return!(null!==e&&e!==Object.prototype&&null!==Object.getPrototypeOf(e)||Symbol.toStringTag in t||Symbol.iterator in t)},ot=K("Date"),lt=K("File"),ct=K("Blob"),ut=K("FileList"),dt=K("URLSearchParams");function mt(t,e,{allOwnKeys:n=!1}={}){if(null===t||typeof t>"u")return;let s,i;if("object"!=typeof t&&(t=[t]),Q(t))for(s=0,i=t.length;s0;)if(s=n[i],e===s.toLowerCase())return s;return null}const ft=typeof globalThis<"u"?globalThis:typeof self<"u"?self:typeof window<"u"?window:global,gt=t=>!X(t)&&t!==ft,ht=(t=>e=>t&&e instanceof t)(typeof Uint8Array<"u"&&Y(Uint8Array)),At=K("HTMLFormElement"),wt=(({hasOwnProperty:t})=>(e,n)=>t.call(e,n))(Object.prototype),yt=K("RegExp"),vt=(t,e)=>{const n=Object.getOwnPropertyDescriptors(t),s={};mt(n,((n,i)=>{let r;!1!==(r=e(n,i,t))&&(s[i]=r||n)})),Object.defineProperties(t,s)},bt="abcdefghijklmnopqrstuvwxyz",Ct="0123456789",xt={DIGIT:Ct,ALPHA:bt,ALPHA_DIGIT:bt+bt.toUpperCase()+Ct},_t=K("AsyncFunction"),Tt={isArray:Q,isArrayBuffer:et,isBuffer:function(t){return null!==t&&!X(t)&&null!==t.constructor&&!X(t.constructor)&&st(t.constructor.isBuffer)&&t.constructor.isBuffer(t)},isFormData:t=>{let e;return t&&("function"==typeof FormData&&t instanceof FormData||st(t.append)&&("formdata"===(e=W(t))||"object"===e&&st(t.toString)&&"[object FormData]"===t.toString()))},isArrayBufferView:function(t){let e;return e=typeof ArrayBuffer<"u"&&ArrayBuffer.isView?ArrayBuffer.isView(t):t&&t.buffer&&et(t.buffer),e},isString:nt,isNumber:it,isBoolean:t=>!0===t||!1===t,isObject:rt,isPlainObject:at,isUndefined:X,isDate:ot,isFile:lt,isBlob:ct,isRegExp:yt,isFunction:st,isStream:t=>rt(t)&&st(t.pipe),isURLSearchParams:dt,isTypedArray:ht,isFileList:ut,forEach:mt,merge:function t(){const{caseless:e}=gt(this)&&this||{},n={},s=(s,i)=>{const r=e&&pt(n,i)||i;at(n[r])&&at(s)?n[r]=t(n[r],s):at(s)?n[r]=t({},s):Q(s)?n[r]=s.slice():n[r]=s};for(let t=0,e=arguments.length;t(mt(e,((e,s)=>{n&&st(e)?t[s]=G(e,n):t[s]=e}),{allOwnKeys:s}),t),trim:t=>t.trim?t.trim():t.replace(/^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g,""),stripBOM:t=>(65279===t.charCodeAt(0)&&(t=t.slice(1)),t),inherits:(t,e,n,s)=>{t.prototype=Object.create(e.prototype,s),t.prototype.constructor=t,Object.defineProperty(t,"super",{value:e.prototype}),n&&Object.assign(t.prototype,n)},toFlatObject:(t,e,n,s)=>{let i,r,a;const o={};if(e=e||{},null==t)return e;do{for(i=Object.getOwnPropertyNames(t),r=i.length;r-- >0;)a=i[r],(!s||s(a,t,e))&&!o[a]&&(e[a]=t[a],o[a]=!0);t=!1!==n&&Y(t)}while(t&&(!n||n(t,e))&&t!==Object.prototype);return e},kindOf:W,kindOfTest:K,endsWith:(t,e,n)=>{t=String(t),(void 0===n||n>t.length)&&(n=t.length),n-=e.length;const s=t.indexOf(e,n);return-1!==s&&s===n},toArray:t=>{if(!t)return null;if(Q(t))return t;let e=t.length;if(!it(e))return null;const n=new Array(e);for(;e-- >0;)n[e]=t[e];return n},forEachEntry:(t,e)=>{const n=(t&&t[Symbol.iterator]).call(t);let s;for(;(s=n.next())&&!s.done;){const n=s.value;e.call(t,n[0],n[1])}},matchAll:(t,e)=>{let n;const s=[];for(;null!==(n=t.exec(e));)s.push(n);return s},isHTMLForm:At,hasOwnProperty:wt,hasOwnProp:wt,reduceDescriptors:vt,freezeMethods:t=>{vt(t,((e,n)=>{if(st(t)&&-1!==["arguments","caller","callee"].indexOf(n))return!1;const s=t[n];if(st(s)){if(e.enumerable=!1,"writable"in e)return void(e.writable=!1);e.set||(e.set=()=>{throw Error("Can not rewrite read-only method '"+n+"'")})}}))},toObjectSet:(t,e)=>{const n={},s=t=>{t.forEach((t=>{n[t]=!0}))};return Q(t)?s(t):s(String(t).split(e)),n},toCamelCase:t=>t.toLowerCase().replace(/[-_\s]([a-z\d])(\w*)/g,(function(t,e,n){return e.toUpperCase()+n})),noop:()=>{},toFiniteNumber:(t,e)=>(t=+t,Number.isFinite(t)?t:e),findKey:pt,global:ft,isContextDefined:gt,ALPHABET:xt,generateString:(t=16,e=xt.ALPHA_DIGIT)=>{let n="";const{length:s}=e;for(;t--;)n+=e[Math.random()*s|0];return n},isSpecCompliantForm:function(t){return!!(t&&st(t.append)&&"FormData"===t[Symbol.toStringTag]&&t[Symbol.iterator])},toJSONObject:t=>{const e=new Array(10),n=(t,s)=>{if(rt(t)){if(e.indexOf(t)>=0)return;if(!("toJSON"in t)){e[s]=t;const i=Q(t)?[]:{};return mt(t,((t,e)=>{const r=n(t,s+1);!X(r)&&(i[e]=r)})),e[s]=void 0,i}}return t};return n(t,0)},isAsyncFn:_t,isThenable:t=>t&&(rt(t)||st(t))&&st(t.then)&&st(t.catch)};function Et(t,e,n,s,i){Error.call(this),Error.captureStackTrace?Error.captureStackTrace(this,this.constructor):this.stack=(new Error).stack,this.message=t,this.name="AxiosError",e&&(this.code=e),n&&(this.config=n),s&&(this.request=s),i&&(this.response=i)}Tt.inherits(Et,Error,{toJSON:function(){return{message:this.message,name:this.name,description:this.description,number:this.number,fileName:this.fileName,lineNumber:this.lineNumber,columnNumber:this.columnNumber,stack:this.stack,config:Tt.toJSONObject(this.config),code:this.code,status:this.response&&this.response.status?this.response.status:null}}});const kt=Et.prototype,St={};function Lt(t){return Tt.isPlainObject(t)||Tt.isArray(t)}function Nt(t){return Tt.endsWith(t,"[]")?t.slice(0,-2):t}function It(t,e,n){return t?t.concat(e).map((function(t,e){return t=Nt(t),!n&&e?"["+t+"]":t})).join(n?".":""):e}["ERR_BAD_OPTION_VALUE","ERR_BAD_OPTION","ECONNABORTED","ETIMEDOUT","ERR_NETWORK","ERR_FR_TOO_MANY_REDIRECTS","ERR_DEPRECATED","ERR_BAD_RESPONSE","ERR_BAD_REQUEST","ERR_CANCELED","ERR_NOT_SUPPORT","ERR_INVALID_URL"].forEach((t=>{St[t]={value:t}})),Object.defineProperties(Et,St),Object.defineProperty(kt,"isAxiosError",{value:!0}),Et.from=(t,e,n,s,i,r)=>{const a=Object.create(kt);return Tt.toFlatObject(t,a,(function(t){return t!==Error.prototype}),(t=>"isAxiosError"!==t)),Et.call(a,t.message,e,n,s,i),a.cause=t,a.name=t.name,r&&Object.assign(a,r),a};const Ft=Tt.toFlatObject(Tt,{},null,(function(t){return/^is[A-Z]/.test(t)}));function Pt(t,e,n){if(!Tt.isObject(t))throw new TypeError("target must be an object");e=e||new FormData;const s=(n=Tt.toFlatObject(n,{metaTokens:!0,dots:!1,indexes:!1},!1,(function(t,e){return!Tt.isUndefined(e[t])}))).metaTokens,i=n.visitor||c,r=n.dots,a=n.indexes,o=(n.Blob||typeof Blob<"u"&&Blob)&&Tt.isSpecCompliantForm(e);if(!Tt.isFunction(i))throw new TypeError("visitor must be a function");function l(t){if(null===t)return"";if(Tt.isDate(t))return t.toISOString();if(!o&&Tt.isBlob(t))throw new Et("Blob is not supported. Use a Buffer instead.");return Tt.isArrayBuffer(t)||Tt.isTypedArray(t)?o&&"function"==typeof Blob?new Blob([t]):q.from(t):t}function c(t,n,i){let o=t;if(t&&!i&&"object"==typeof t)if(Tt.endsWith(n,"{}"))n=s?n:n.slice(0,-2),t=JSON.stringify(t);else if(Tt.isArray(t)&&function(t){return Tt.isArray(t)&&!t.some(Lt)}(t)||(Tt.isFileList(t)||Tt.endsWith(n,"[]"))&&(o=Tt.toArray(t)))return n=Nt(n),o.forEach((function(t,s){!Tt.isUndefined(t)&&null!==t&&e.append(!0===a?It([n],s,r):null===a?n:n+"[]",l(t))})),!1;return!!Lt(t)||(e.append(It(i,n,r),l(t)),!1)}const u=[],d=Object.assign(Ft,{defaultVisitor:c,convertValue:l,isVisitable:Lt});if(!Tt.isObject(t))throw new TypeError("data must be an object");return function t(n,s){if(!Tt.isUndefined(n)){if(-1!==u.indexOf(n))throw Error("Circular reference detected in "+s.join("."));u.push(n),Tt.forEach(n,(function(n,r){!0===(!(Tt.isUndefined(n)||null===n)&&i.call(e,n,Tt.isString(r)?r.trim():r,s,d))&&t(n,s?s.concat(r):[r])})),u.pop()}}(t),e}function Ot(t){const e={"!":"%21","'":"%27","(":"%28",")":"%29","~":"%7E","%20":"+","%00":"\0"};return encodeURIComponent(t).replace(/[!'()~]|%20|%00/g,(function(t){return e[t]}))}function Bt(t,e){this._pairs=[],t&&Pt(t,this,e)}const Dt=Bt.prototype;function jt(t){return encodeURIComponent(t).replace(/%3A/gi,":").replace(/%24/g,"$").replace(/%2C/gi,",").replace(/%20/g,"+").replace(/%5B/gi,"[").replace(/%5D/gi,"]")}function Ut(t,e,n){if(!e)return t;const s=n&&n.encode||jt,i=n&&n.serialize;let r;if(r=i?i(e,n):Tt.isURLSearchParams(e)?e.toString():new Bt(e,n).toString(s),r){const e=t.indexOf("#");-1!==e&&(t=t.slice(0,e)),t+=(-1===t.indexOf("?")?"?":"&")+r}return t}Dt.append=function(t,e){this._pairs.push([t,e])},Dt.toString=function(t){const e=t?function(e){return t.call(this,e,Ot)}:Ot;return this._pairs.map((function(t){return e(t[0])+"="+e(t[1])}),"").join("&")};const Rt=class{constructor(){this.handlers=[]}use(t,e,n){return this.handlers.push({fulfilled:t,rejected:e,synchronous:!!n&&n.synchronous,runWhen:n?n.runWhen:null}),this.handlers.length-1}eject(t){this.handlers[t]&&(this.handlers[t]=null)}clear(){this.handlers&&(this.handlers=[])}forEach(t){Tt.forEach(this.handlers,(function(e){null!==e&&t(e)}))}},zt={silentJSONParsing:!0,forcedJSONParsing:!0,clarifyTimeoutError:!1},Mt={isBrowser:!0,classes:{URLSearchParams:typeof URLSearchParams<"u"?URLSearchParams:Bt,FormData:typeof FormData<"u"?FormData:null,Blob:typeof Blob<"u"?Blob:null},protocols:["http","https","file","blob","url","data"]},Vt=typeof window<"u"&&typeof document<"u",$t=(t=>Vt&&["ReactNative","NativeScript","NS"].indexOf(t)<0)(typeof navigator<"u"&&navigator.product),qt=typeof WorkerGlobalScope<"u"&&self instanceof WorkerGlobalScope&&"function"==typeof self.importScripts,Ht={...Object.freeze(Object.defineProperty({__proto__:null,hasBrowserEnv:Vt,hasStandardBrowserEnv:$t,hasStandardBrowserWebWorkerEnv:qt},Symbol.toStringTag,{value:"Module"})),...Mt};function Gt(t){function e(t,n,s,i){let r=t[i++];const a=Number.isFinite(+r),o=i>=t.length;return r=!r&&Tt.isArray(s)?s.length:r,o?(Tt.hasOwnProp(s,r)?s[r]=[s[r],n]:s[r]=n,!a):((!s[r]||!Tt.isObject(s[r]))&&(s[r]=[]),e(t,n,s[r],i)&&Tt.isArray(s[r])&&(s[r]=function(t){const e={},n=Object.keys(t);let s;const i=n.length;let r;for(s=0;s{e(function(t){return Tt.matchAll(/\w+|\[(\w*)]/g,t).map((t=>"[]"===t[0]?"":t[1]||t[0]))}(t),s,n,0)})),n}return null}const Zt={transitional:zt,adapter:["xhr","http"],transformRequest:[function(t,e){const n=e.getContentType()||"",s=n.indexOf("application/json")>-1,i=Tt.isObject(t);if(i&&Tt.isHTMLForm(t)&&(t=new FormData(t)),Tt.isFormData(t))return s&&s?JSON.stringify(Gt(t)):t;if(Tt.isArrayBuffer(t)||Tt.isBuffer(t)||Tt.isStream(t)||Tt.isFile(t)||Tt.isBlob(t))return t;if(Tt.isArrayBufferView(t))return t.buffer;if(Tt.isURLSearchParams(t))return e.setContentType("application/x-www-form-urlencoded;charset=utf-8",!1),t.toString();let r;if(i){if(n.indexOf("application/x-www-form-urlencoded")>-1)return function(t,e){return Pt(t,new Ht.classes.URLSearchParams,Object.assign({visitor:function(t,e,n,s){return Ht.isNode&&Tt.isBuffer(t)?(this.append(e,t.toString("base64")),!1):s.defaultVisitor.apply(this,arguments)}},e))}(t,this.formSerializer).toString();if((r=Tt.isFileList(t))||n.indexOf("multipart/form-data")>-1){const e=this.env&&this.env.FormData;return Pt(r?{"files[]":t}:t,e&&new e,this.formSerializer)}}return i||s?(e.setContentType("application/json",!1),function(t,e,n){if(Tt.isString(t))try{return(0,JSON.parse)(t),Tt.trim(t)}catch(t){if("SyntaxError"!==t.name)throw t}return(0,JSON.stringify)(t)}(t)):t}],transformResponse:[function(t){const e=this.transitional||Zt.transitional,n=e&&e.forcedJSONParsing,s="json"===this.responseType;if(t&&Tt.isString(t)&&(n&&!this.responseType||s)){const n=!(e&&e.silentJSONParsing)&&s;try{return JSON.parse(t)}catch(t){if(n)throw"SyntaxError"===t.name?Et.from(t,Et.ERR_BAD_RESPONSE,this,null,this.response):t}}return t}],timeout:0,xsrfCookieName:"XSRF-TOKEN",xsrfHeaderName:"X-XSRF-TOKEN",maxContentLength:-1,maxBodyLength:-1,env:{FormData:Ht.classes.FormData,Blob:Ht.classes.Blob},validateStatus:function(t){return t>=200&&t<300},headers:{common:{Accept:"application/json, text/plain, */*","Content-Type":void 0}}};Tt.forEach(["delete","get","head","post","put","patch"],(t=>{Zt.headers[t]={}}));const Yt=Zt,Wt=Tt.toObjectSet(["age","authorization","content-length","content-type","etag","expires","from","host","if-modified-since","if-unmodified-since","last-modified","location","max-forwards","proxy-authorization","referer","retry-after","user-agent"]),Kt=Symbol("internals");function Jt(t){return t&&String(t).trim().toLowerCase()}function Qt(t){return!1===t||null==t?t:Tt.isArray(t)?t.map(Qt):String(t)}function Xt(t,e,n,s,i){if(Tt.isFunction(s))return s.call(this,e,n);if(i&&(e=n),Tt.isString(e)){if(Tt.isString(s))return-1!==e.indexOf(s);if(Tt.isRegExp(s))return s.test(e)}}let te=class{constructor(t){t&&this.set(t)}set(t,e,n){const s=this;function i(t,e,n){const i=Jt(e);if(!i)throw new Error("header name must be a non-empty string");const r=Tt.findKey(s,i);(!r||void 0===s[r]||!0===n||void 0===n&&!1!==s[r])&&(s[r||e]=Qt(t))}const r=(t,e)=>Tt.forEach(t,((t,n)=>i(t,n,e)));return Tt.isPlainObject(t)||t instanceof this.constructor?r(t,e):Tt.isString(t)&&(t=t.trim())&&!(t=>/^[-_a-zA-Z0-9^`|~,!#$%&'*+.]+$/.test(t.trim()))(t)?r((t=>{const e={};let n,s,i;return t&&t.split("\n").forEach((function(t){i=t.indexOf(":"),n=t.substring(0,i).trim().toLowerCase(),s=t.substring(i+1).trim(),!(!n||e[n]&&Wt[n])&&("set-cookie"===n?e[n]?e[n].push(s):e[n]=[s]:e[n]=e[n]?e[n]+", "+s:s)})),e})(t),e):null!=t&&i(e,t,n),this}get(t,e){if(t=Jt(t)){const n=Tt.findKey(this,t);if(n){const t=this[n];if(!e)return t;if(!0===e)return function(t){const e=Object.create(null),n=/([^\s,;=]+)\s*(?:=\s*([^,;]+))?/g;let s;for(;s=n.exec(t);)e[s[1]]=s[2];return e}(t);if(Tt.isFunction(e))return e.call(this,t,n);if(Tt.isRegExp(e))return e.exec(t);throw new TypeError("parser must be boolean|regexp|function")}}}has(t,e){if(t=Jt(t)){const n=Tt.findKey(this,t);return!(!n||void 0===this[n]||e&&!Xt(0,this[n],n,e))}return!1}delete(t,e){const n=this;let s=!1;function i(t){if(t=Jt(t)){const i=Tt.findKey(n,t);i&&(!e||Xt(0,n[i],i,e))&&(delete n[i],s=!0)}}return Tt.isArray(t)?t.forEach(i):i(t),s}clear(t){const e=Object.keys(this);let n=e.length,s=!1;for(;n--;){const i=e[n];(!t||Xt(0,this[i],i,t,!0))&&(delete this[i],s=!0)}return s}normalize(t){const e=this,n={};return Tt.forEach(this,((s,i)=>{const r=Tt.findKey(n,i);if(r)return e[r]=Qt(s),void delete e[i];const a=t?function(t){return t.trim().toLowerCase().replace(/([a-z\d])(\w*)/g,((t,e,n)=>e.toUpperCase()+n))}(i):String(i).trim();a!==i&&delete e[i],e[a]=Qt(s),n[a]=!0})),this}concat(...t){return this.constructor.concat(this,...t)}toJSON(t){const e=Object.create(null);return Tt.forEach(this,((n,s)=>{null!=n&&!1!==n&&(e[s]=t&&Tt.isArray(n)?n.join(", "):n)})),e}[Symbol.iterator](){return Object.entries(this.toJSON())[Symbol.iterator]()}toString(){return Object.entries(this.toJSON()).map((([t,e])=>t+": "+e)).join("\n")}get[Symbol.toStringTag](){return"AxiosHeaders"}static from(t){return t instanceof this?t:new this(t)}static concat(t,...e){const n=new this(t);return e.forEach((t=>n.set(t))),n}static accessor(t){const e=(this[Kt]=this[Kt]={accessors:{}}).accessors,n=this.prototype;function s(t){const s=Jt(t);e[s]||(function(t,e){const n=Tt.toCamelCase(" "+e);["get","set","has"].forEach((s=>{Object.defineProperty(t,s+n,{value:function(t,n,i){return this[s].call(this,e,t,n,i)},configurable:!0})}))}(n,t),e[s]=!0)}return Tt.isArray(t)?t.forEach(s):s(t),this}};te.accessor(["Content-Type","Content-Length","Accept","Accept-Encoding","User-Agent","Authorization"]),Tt.reduceDescriptors(te.prototype,(({value:t},e)=>{let n=e[0].toUpperCase()+e.slice(1);return{get:()=>t,set(t){this[n]=t}}})),Tt.freezeMethods(te);const ee=te;function ne(t,e){const n=this||Yt,s=e||n,i=ee.from(s.headers);let r=s.data;return Tt.forEach(t,(function(t){r=t.call(n,r,i.normalize(),e?e.status:void 0)})),i.normalize(),r}function se(t){return!(!t||!t.__CANCEL__)}function ie(t,e,n){Et.call(this,t??"canceled",Et.ERR_CANCELED,e,n),this.name="CanceledError"}Tt.inherits(ie,Et,{__CANCEL__:!0});const re=Ht.hasStandardBrowserEnv?{write:function(t,e,n,s,i,r){const a=[];a.push(t+"="+encodeURIComponent(e)),Tt.isNumber(n)&&a.push("expires="+new Date(n).toGMTString()),Tt.isString(s)&&a.push("path="+s),Tt.isString(i)&&a.push("domain="+i),!0===r&&a.push("secure"),document.cookie=a.join("; ")},read:function(t){const e=document.cookie.match(new RegExp("(^|;\\s*)("+t+")=([^;]*)"));return e?decodeURIComponent(e[3]):null},remove:function(t){this.write(t,"",Date.now()-864e5)}}:{write:function(){},read:function(){return null},remove:function(){}};function ae(t,e){return t&&!function(t){return/^([a-z][a-z\d+\-.]*:)?\/\//i.test(t)}(e)?function(t,e){return e?t.replace(/\/+$/,"")+"/"+e.replace(/^\/+/,""):t}(t,e):e}const oe=Ht.hasStandardBrowserEnv?function(){const t=/(msie|trident)/i.test(navigator.userAgent),e=document.createElement("a");let n;function s(n){let s=n;return t&&(e.setAttribute("href",s),s=e.href),e.setAttribute("href",s),{href:e.href,protocol:e.protocol?e.protocol.replace(/:$/,""):"",host:e.host,search:e.search?e.search.replace(/^\?/,""):"",hash:e.hash?e.hash.replace(/^#/,""):"",hostname:e.hostname,port:e.port,pathname:"/"===e.pathname.charAt(0)?e.pathname:"/"+e.pathname}}return n=s(window.location.href),function(t){const e=Tt.isString(t)?s(t):t;return e.protocol===n.protocol&&e.host===n.host}}():function(){return!0};function le(t,e){let n=0;const s=function(t,e){t=t||10;const n=new Array(t),s=new Array(t);let i,r=0,a=0;return e=void 0!==e?e:1e3,function(o){const l=Date.now(),c=s[a];i||(i=l),n[r]=o,s[r]=l;let u=a,d=0;for(;u!==r;)d+=n[u++],u%=t;if(r=(r+1)%t,r===a&&(a=(a+1)%t),l-i{const r=i.loaded,a=i.lengthComputable?i.total:void 0,o=r-n,l=s(o);n=r;const c={loaded:r,total:a,progress:a?r/a:void 0,bytes:o,rate:l||void 0,estimated:l&&a&&r<=a?(a-r)/l:void 0,event:i};c[e?"download":"upload"]=!0,t(c)}}const ce=typeof XMLHttpRequest<"u"&&function(t){return new Promise((function(e,n){let s=t.data;const i=ee.from(t.headers).normalize(),r=t.responseType;let a,o;function l(){t.cancelToken&&t.cancelToken.unsubscribe(a),t.signal&&t.signal.removeEventListener("abort",a)}if(Tt.isFormData(s))if(Ht.hasStandardBrowserEnv||Ht.hasStandardBrowserWebWorkerEnv)i.setContentType(!1);else if(!1!==(o=i.getContentType())){const[t,...e]=o?o.split(";").map((t=>t.trim())).filter(Boolean):[];i.setContentType([t||"multipart/form-data",...e].join("; "))}let c=new XMLHttpRequest;if(t.auth){const e=t.auth.username||"",n=t.auth.password?unescape(encodeURIComponent(t.auth.password)):"";i.set("Authorization","Basic "+btoa(e+":"+n))}const u=ae(t.baseURL,t.url);function d(){if(!c)return;const s=ee.from("getAllResponseHeaders"in c&&c.getAllResponseHeaders());(function(t,e,n){const s=n.config.validateStatus;n.status&&s&&!s(n.status)?e(new Et("Request failed with status code "+n.status,[Et.ERR_BAD_REQUEST,Et.ERR_BAD_RESPONSE][Math.floor(n.status/100)-4],n.config,n.request,n)):t(n)})((function(t){e(t),l()}),(function(t){n(t),l()}),{data:r&&"text"!==r&&"json"!==r?c.response:c.responseText,status:c.status,statusText:c.statusText,headers:s,config:t,request:c}),c=null}if(c.open(t.method.toUpperCase(),Ut(u,t.params,t.paramsSerializer),!0),c.timeout=t.timeout,"onloadend"in c?c.onloadend=d:c.onreadystatechange=function(){!c||4!==c.readyState||0===c.status&&(!c.responseURL||0!==c.responseURL.indexOf("file:"))||setTimeout(d)},c.onabort=function(){c&&(n(new Et("Request aborted",Et.ECONNABORTED,t,c)),c=null)},c.onerror=function(){n(new Et("Network Error",Et.ERR_NETWORK,t,c)),c=null},c.ontimeout=function(){let e=t.timeout?"timeout of "+t.timeout+"ms exceeded":"timeout exceeded";const s=t.transitional||zt;t.timeoutErrorMessage&&(e=t.timeoutErrorMessage),n(new Et(e,s.clarifyTimeoutError?Et.ETIMEDOUT:Et.ECONNABORTED,t,c)),c=null},Ht.hasStandardBrowserEnv){const e=oe(u)&&t.xsrfCookieName&&re.read(t.xsrfCookieName);e&&i.set(t.xsrfHeaderName,e)}void 0===s&&i.setContentType(null),"setRequestHeader"in c&&Tt.forEach(i.toJSON(),(function(t,e){c.setRequestHeader(e,t)})),Tt.isUndefined(t.withCredentials)||(c.withCredentials=!!t.withCredentials),r&&"json"!==r&&(c.responseType=t.responseType),"function"==typeof t.onDownloadProgress&&c.addEventListener("progress",le(t.onDownloadProgress,!0)),"function"==typeof t.onUploadProgress&&c.upload&&c.upload.addEventListener("progress",le(t.onUploadProgress)),(t.cancelToken||t.signal)&&(a=e=>{c&&(n(!e||e.type?new ie(null,t,c):e),c.abort(),c=null)},t.cancelToken&&t.cancelToken.subscribe(a),t.signal&&(t.signal.aborted?a():t.signal.addEventListener("abort",a)));const m=function(t){const e=/^([-+\w]{1,25})(:?\/\/|:)/.exec(t);return e&&e[1]||""}(u);m&&-1===Ht.protocols.indexOf(m)?n(new Et("Unsupported protocol "+m+":",Et.ERR_BAD_REQUEST,t)):c.send(s||null)}))},ue={http:null,xhr:ce};Tt.forEach(ue,((t,e)=>{if(t){try{Object.defineProperty(t,"name",{value:e})}catch{}Object.defineProperty(t,"adapterName",{value:e})}}));const de=t=>`- ${t}`,me=t=>Tt.isFunction(t)||null===t||!1===t,pe=t=>{t=Tt.isArray(t)?t:[t];const{length:e}=t;let n,s;const i={};for(let r=0;r`adapter ${t} `+(!1===e?"is not supported by the environment":"is not available in the build")));throw new Et("There is no suitable adapter to dispatch the request "+(e?t.length>1?"since :\n"+t.map(de).join("\n"):" "+de(t[0]):"as no adapter specified"),"ERR_NOT_SUPPORT")}return s};function fe(t){if(t.cancelToken&&t.cancelToken.throwIfRequested(),t.signal&&t.signal.aborted)throw new ie(null,t)}function ge(t){return fe(t),t.headers=ee.from(t.headers),t.data=ne.call(t,t.transformRequest),-1!==["post","put","patch"].indexOf(t.method)&&t.headers.setContentType("application/x-www-form-urlencoded",!1),pe(t.adapter||Yt.adapter)(t).then((function(e){return fe(t),e.data=ne.call(t,t.transformResponse,e),e.headers=ee.from(e.headers),e}),(function(e){return se(e)||(fe(t),e&&e.response&&(e.response.data=ne.call(t,t.transformResponse,e.response),e.response.headers=ee.from(e.response.headers))),Promise.reject(e)}))}const he=t=>t instanceof ee?t.toJSON():t;function Ae(t,e){e=e||{};const n={};function s(t,e,n){return Tt.isPlainObject(t)&&Tt.isPlainObject(e)?Tt.merge.call({caseless:n},t,e):Tt.isPlainObject(e)?Tt.merge({},e):Tt.isArray(e)?e.slice():e}function i(t,e,n){return Tt.isUndefined(e)?Tt.isUndefined(t)?void 0:s(void 0,t,n):s(t,e,n)}function r(t,e){if(!Tt.isUndefined(e))return s(void 0,e)}function a(t,e){return Tt.isUndefined(e)?Tt.isUndefined(t)?void 0:s(void 0,t):s(void 0,e)}function o(n,i,r){return r in e?s(n,i):r in t?s(void 0,n):void 0}const l={url:r,method:r,data:r,baseURL:a,transformRequest:a,transformResponse:a,paramsSerializer:a,timeout:a,timeoutMessage:a,withCredentials:a,adapter:a,responseType:a,xsrfCookieName:a,xsrfHeaderName:a,onUploadProgress:a,onDownloadProgress:a,decompress:a,maxContentLength:a,maxBodyLength:a,beforeRedirect:a,transport:a,httpAgent:a,httpsAgent:a,cancelToken:a,socketPath:a,responseEncoding:a,validateStatus:o,headers:(t,e)=>i(he(t),he(e),!0)};return Tt.forEach(Object.keys(Object.assign({},t,e)),(function(s){const r=l[s]||i,a=r(t[s],e[s],s);Tt.isUndefined(a)&&r!==o||(n[s]=a)})),n}const we={};["object","boolean","number","function","string","symbol"].forEach(((t,e)=>{we[t]=function(n){return typeof n===t||"a"+(e<1?"n ":" ")+t}}));const ye={};we.transitional=function(t,e,n){function s(t,e){return"[Axios v1.6.1] Transitional option '"+t+"'"+e+(n?". "+n:"")}return(n,i,r)=>{if(!1===t)throw new Et(s(i," has been removed"+(e?" in "+e:"")),Et.ERR_DEPRECATED);return e&&!ye[i]&&(ye[i]=!0,H.warn(s(i," has been deprecated since v"+e+" and will be removed in the near future"))),!t||t(n,i,r)}};const ve={assertOptions:function(t,e,n){if("object"!=typeof t)throw new Et("options must be an object",Et.ERR_BAD_OPTION_VALUE);const s=Object.keys(t);let i=s.length;for(;i-- >0;){const r=s[i],a=e[r];if(a){const e=t[r],n=void 0===e||a(e,r,t);if(!0!==n)throw new Et("option "+r+" must be "+n,Et.ERR_BAD_OPTION_VALUE)}else if(!0!==n)throw new Et("Unknown option "+r,Et.ERR_BAD_OPTION)}},validators:we},be=ve.validators;let Ce=class{constructor(t){this.defaults=t,this.interceptors={request:new Rt,response:new Rt}}request(t,e){"string"==typeof t?(e=e||{}).url=t:e=t||{},e=Ae(this.defaults,e);const{transitional:n,paramsSerializer:s,headers:i}=e;void 0!==n&&ve.assertOptions(n,{silentJSONParsing:be.transitional(be.boolean),forcedJSONParsing:be.transitional(be.boolean),clarifyTimeoutError:be.transitional(be.boolean)},!1),null!=s&&(Tt.isFunction(s)?e.paramsSerializer={serialize:s}:ve.assertOptions(s,{encode:be.function,serialize:be.function},!0)),e.method=(e.method||this.defaults.method||"get").toLowerCase();let r=i&&Tt.merge(i.common,i[e.method]);i&&Tt.forEach(["delete","get","head","post","put","patch","common"],(t=>{delete i[t]})),e.headers=ee.concat(r,i);const a=[];let o=!0;this.interceptors.request.forEach((function(t){"function"==typeof t.runWhen&&!1===t.runWhen(e)||(o=o&&t.synchronous,a.unshift(t.fulfilled,t.rejected))}));const l=[];this.interceptors.response.forEach((function(t){l.push(t.fulfilled,t.rejected)}));let c,u,d=0;if(!o){const t=[ge.bind(this),void 0];for(t.unshift.apply(t,a),t.push.apply(t,l),u=t.length,c=Promise.resolve(e);d{_e[e]=t}));const Te=_e,Ee=function t(e){const n=new xe(e),s=G(xe.prototype.request,n);return Tt.extend(s,xe.prototype,n,{allOwnKeys:!0}),Tt.extend(s,n,null,{allOwnKeys:!0}),s.create=function(n){return t(Ae(e,n))},s}(Yt);Ee.Axios=xe,Ee.CanceledError=ie,Ee.CancelToken=class t{constructor(t){if("function"!=typeof t)throw new TypeError("executor must be a function.");let e;this.promise=new Promise((function(t){e=t}));const n=this;this.promise.then((t=>{if(!n._listeners)return;let e=n._listeners.length;for(;e-- >0;)n._listeners[e](t);n._listeners=null})),this.promise.then=t=>{let e;const s=new Promise((t=>{n.subscribe(t),e=t})).then(t);return s.cancel=function(){n.unsubscribe(e)},s},t((function(t,s,i){n.reason||(n.reason=new ie(t,s,i),e(n.reason))}))}throwIfRequested(){if(this.reason)throw this.reason}subscribe(t){this.reason?t(this.reason):this._listeners?this._listeners.push(t):this._listeners=[t]}unsubscribe(t){if(!this._listeners)return;const e=this._listeners.indexOf(t);-1!==e&&this._listeners.splice(e,1)}static source(){let e;return{token:new t((function(t){e=t})),cancel:e}}},Ee.isCancel=se,Ee.VERSION="1.6.1",Ee.toFormData=Pt,Ee.AxiosError=Et,Ee.Cancel=Ee.CanceledError,Ee.all=function(t){return Promise.all(t)},Ee.spread=function(t){return function(e){return t.apply(null,e)}},Ee.isAxiosError=function(t){return Tt.isObject(t)&&!0===t.isAxiosError},Ee.mergeConfig=Ae,Ee.AxiosHeaders=ee,Ee.formToJSON=t=>Gt(Tt.isHTMLForm(t)?new FormData(t):t),Ee.getAdapter=pe,Ee.HttpStatusCode=Te,Ee.default=Ee;const ke=Ee,{Axios:Se,AxiosError:Le,CanceledError:Ne,isCancel:Ie,CancelToken:Fe,VERSION:Pe,all:Oe,Cancel:Be,isAxiosError:De,spread:je,toFormData:Ue,AxiosHeaders:Re,HttpStatusCode:ze,formToJSON:Me,getAdapter:Ve,mergeConfig:$e}=ke,qe=function(t){if(!Number.isInteger(1)&&1!==Number.POSITIVE_INFINITY)throw new TypeError("Expected `concurrency` to be a number from 1 and up");const e=new F.Z;let n=0;const s=async(t,s,i)=>{n++;const r=(async()=>t(...i))();s(r);try{await r}catch{}n--,e.size>0&&e.dequeue()()},i=(t,...i)=>new Promise((r=>{((t,i,r)=>{e.enqueue(P(s.bind(void 0,t,i,r))),(async()=>{await Promise.resolve(),n<1&&e.size>0&&e.dequeue()()})()})(t,r,i)}));return Object.defineProperties(i,{activeCount:{get:()=>n},pendingCount:{get:()=>e.size},clearQueue:{value(){e.clear()}}}),i}(),He=new FileReader,Ge=async function(t,e,n,s=(()=>{}),i=void 0,r={}){let a;return a=e instanceof Blob?e:await e(),i&&(r.Destination=i),r["Content-Type"]||(r["Content-Type"]="application/octet-stream"),await b.Z.request({method:"PUT",url:t,data:a,signal:n,onUploadProgress:s,headers:r})},Ze=function(t,e,n){return qe((()=>new Promise(((s,i)=>{He.onload=()=>{null!==He.result&&s(new Blob([He.result],{type:"application/octet-stream"})),i(new Error("Error while reading the file"))},He.readAsArrayBuffer(t.slice(e,e+n))}))))},Ye=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 We=(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))(We||{});let Ke=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(Ye()>0?Math.ceil(n/Ye()):1,1e4);this._source=t,this._isChunked=e&&Ye()>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 Je=(t=>null===t?(0,O.IY)().setApp("uploader").build():(0,O.IY)().setApp("uploader").setUid(t.uid).build())((0,v.ts)());var Qe=(t=>(t[t.IDLE=0]="IDLE",t[t.UPLOADING=1]="UPLOADING",t[t.PAUSED=2]="PAUSED",t))(Qe||{});class Xe{_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,v.ts)()?.uid,n=(0,y.generateRemoteUrl)(`dav/files/${t}`);if(!t)throw new Error("User is not logged in");e=new w.gt({id:0,owner:t,permissions:w.y3.ALL,root:`/files/${t}`,source:n})}this.destination=e,Je.debug("Upload workspace initialized",{destination:this.destination,root:this.root,isPublic:t,maxChunksSize:Ye()})}get destination(){return this._destinationFolder}set destination(t){if(!t)throw new Error("Invalid destination folder");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){const n=`${this.root}/${t.replace(/^\//,"")}`,{origin:s}=new URL(n),i=s+(0,A.Ec)(n.slice(s.length));Je.debug(`Uploading ${e.name} to ${i}`);const r=Ye(e.size),a=0===r||e.size{if(s(o.cancel),a){Je.debug("Initializing regular upload",{file:e,upload:o});const s=await Ze(e,0,o.size),r=async()=>{try{o.response=await Ge(i,s,o.signal,(()=>this.updateStats()),void 0,{"X-OC-Mtime":e.lastModified/1e3,"Content-Type":e.type}),o.uploaded=o.size,this.updateStats(),Je.debug(`Successfully uploaded ${e.name}`,{file:e,upload:o}),t(o)}catch(t){if(t instanceof Ne)return o.status=We.FAILED,void n("Upload has been cancelled");t?.response&&(o.response=t.response),o.status=We.FAILED,Je.error(`Failed uploading ${e.name}`,{error:t,file:e,upload:o}),n("Failed uploading the file")}this._notifiers.forEach((t=>{try{t(o)}catch{}}))};this._jobQueue.add(r),this.updateStats()}else{Je.debug("Initializing chunked upload",{file:e,upload:o});const s=await async function(t){const e=`${(0,y.generateRemoteUrl)(`dav/uploads/${(0,v.ts)()?.uid}`)}/web-file-upload-${[...Array(16)].map((()=>Math.floor(16*Math.random()).toString(16))).join("")}`,n=t?{Destination:t}:void 0;return await b.Z.request({method:"MKCOL",url:e,headers:n}),e}(i),a=[];for(let t=0;tZe(e,n,r),u=()=>Ge(`${s}/${t+1}`,c,o.signal,(()=>this.updateStats()),i,{"X-OC-Mtime":e.lastModified/1e3,"OC-Total-Length":e.size,"Content-Type":"application/octet-stream"}).then((()=>{o.uploaded=o.uploaded+r})).catch((e=>{throw e instanceof Ne||(Je.error(`Chunk ${t+1} ${n} - ${l} uploading failed`),o.status=We.FAILED),e}));a.push(this._jobQueue.add(u))}try{await Promise.all(a),this.updateStats(),o.response=await b.Z.request({method:"MOVE",url:`${s}/.file`,headers:{Destination:i}}),this.updateStats(),o.status=We.FINISHED,Je.debug(`Successfully uploaded ${e.name}`,{file:e,upload:o}),t(o)}catch(t){t instanceof Ne?(o.status=We.FAILED,n("Upload has been cancelled")):(o.status=We.FAILED,n("Failed assembling the chunks together")),b.Z.request({method:"DELETE",url:`${s}`})}this._notifiers.forEach((t=>{try{t(o)}catch{}}))}return this._jobQueue.onIdle().then((()=>this.reset())),o}))}}function tn(t,e,n,s,i,r,a,o){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),a?(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(a)},c._ssrRegister=l):i&&(l=o?function(){i.call(this,(c.functional?this.parent:this).$root.$options.shadowRoot)}:i),l)if(c.functional){c._injectStyles=l;var u=c.render;c.render=function(t,e){return l.call(e),u(t,e)}}else{var d=c.beforeCreate;c.beforeCreate=d?[].concat(d,l):[l]}return{exports:t,options:c}}const en=tn({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,"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,nn=tn({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,"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,sn=tn({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,"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,rn=(0,$.H)().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 , 2023","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:\nJohn Molakvoæ , 2023\nAli , 2023\n"},msgstr:["Last-Translator: Ali , 2023\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 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:["رفع ملفات"]},"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":"Transifex Bot <>, 2022","Language-Team":"Asturian (https://www.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:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Asturian (https://www.transifex.com/nextcloud/teams/64236/ast/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ast\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{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":"Pavel Borecki , 2023","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:\nJohn Molakvoæ , 2023\nPavel Borecki , 2023\n"},msgstr:["Last-Translator: Pavel Borecki , 2023\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 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"]},"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":"Jens Peter Nielsen , 2023","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:\nJohn Molakvoæ , 2023\nSimon T, 2023\nJens Peter Nielsen , 2023\n"},msgstr:["Last-Translator: Jens Peter Nielsen , 2023\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 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"]},"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 , 2023","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:\nJohn Molakvoæ , 2023\nMarkus Eckstein, 2023\nMario Siegmann , 2023\n"},msgstr:["Last-Translator: Mario Siegmann , 2023\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 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 ist 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"]},"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 , 2023","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:\nJohn Molakvoæ , 2023\nMark Ziegler , 2023\nMario Siegmann , 2023\n"},msgstr:["Last-Translator: Mario Siegmann , 2023\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 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"]},"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":"Next Cloud , 2023","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\n"},msgstr:["Last-Translator: Next Cloud , 2023\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:["estimación del 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"]},"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":"John Molakvoæ , 2023","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:\nJean-Claude Richard , 2023\nClément Saccoccio, 2023\nJohn Molakvoæ , 2023\n"},msgstr:["Last-Translator: John Molakvoæ , 2023\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 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, un nombre sera postfixé au nom du fichier."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Date de dernière modification 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:["Image d'aperçu"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Sélectionner toutes les cases"]},"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:["Envoi annulé"]},"Upload files":{msgid:"Upload files",msgstr:["Téléverser des fichiers"]},"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, 2022","Language-Team":"Korean (https://www.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:\nBrandon Han, 2022\n"},msgstr:["Last-Translator: Brandon Han, 2022\nLanguage-Team: Korean (https://www.transifex.com/nextcloud/teams/64236/ko/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ko\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:"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":"Ari Selseng , 2022","Language-Team":"Norwegian Bokmål (Norway) (https://www.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:\nAri Selseng , 2022\n"},msgstr:["Last-Translator: Ari Selseng , 2022\nLanguage-Team: Norwegian Bokmål (Norway) (https://www.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"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} sekunder igjen"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["{time} igjen"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["noen få sekunder igjen"]},Add:{msgid:"Add",msgstr:["Legg til"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Avbryt opplastninger"]},"estimating time left":{msgid:"estimating time left",msgstr:["Estimerer tid igjen"]},paused:{msgid:"paused",msgstr:["pauset"]},"Upload files":{msgid:"Upload files",msgstr:["Last opp filer"]}}}}},{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":"M H , 2023","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\n"},msgstr:["Last-Translator: M H , 2023\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"]},"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":"Flávio Veras , 2022","Language-Team":"Portuguese (Brazil) (https://www.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:\nLeonardo Colman , 2022\nJeann Cavalcante , 2022\nFlávio Veras , 2022\n"},msgstr:["Last-Translator: Flávio Veras , 2022\nLanguage-Team: Portuguese (Brazil) (https://www.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"]},"{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:["alguns segundos restantes"]},Add:{msgid:"Add",msgstr:["Adicionar"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Cancelar uploads"]},"estimating time left":{msgid:"estimating time left",msgstr:["estimando tempo restante"]},paused:{msgid:"paused",msgstr:["pausado"]},"Upload files":{msgid:"Upload files",msgstr:["Enviar arquivos"]}}}}},{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:["Отпреми фајлове"]},"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, 2023","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:\nJohn Molakvoæ , 2023\nMagnus Höglund, 2023\n"},msgstr:["Last-Translator: Magnus Höglund, 2023\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 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"]},"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 , 2023","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:\nJohn Molakvoæ , 2023\nKaya Zeren , 2023\n"},msgstr:["Last-Translator: Kaya Zeren , 2023\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 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"]},"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 , 2023","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:\nJohn Molakvoæ , 2023\nMehi Loki, 2023\nO St , 2023\n"},msgstr:["Last-Translator: O St , 2023\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 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:["Завантажте файли"]},"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":"blakduk, 2023","Language-Team":"Vietnamese (https://www.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:\nblakduk, 2023\n"},msgstr:["Last-Translator: blakduk, 2023\nLanguage-Team: Vietnamese (https://www.transifex.com/nextcloud/teams/64236/vi/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: vi\nPlural-Forms: nplurals=1; plural=0;\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["Còn {second} giây"]},"{time} left":{msgid:"{time} left",comments:{extracted:"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"]},Add:{msgid:"Add",msgstr:["Thêm"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Huỷ tải lên"]},"estimating time left":{msgid:"estimating time left",msgstr:["Thời gian còn lại dự kiến"]},paused:{msgid:"paused",msgstr:["đã tạm dừng"]},"Upload files":{msgid:"Upload files",msgstr:["Tập tin tải lên"]}}}}},{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":"黃柏諺 , 2023","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:\nJohn Molakvoæ , 2023\n黃柏諺 , 2023\n"},msgstr:["Last-Translator: 黃柏諺 , 2023\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:["還剩幾秒"]},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:["您必須為每個檔案都至少選取一個版本以繼續。"]}}}}}].map((t=>rn.addTranslation(t.locale,t.json)));const an=rn.build(),on=an.ngettext.bind(an),ln=an.gettext.bind(an),cn=j.default.extend({name:"UploadPicker",components:{Cancel:en,NcActionButton:U.Z,NcActions:R.Z,NcButton:z.Z,NcIconSvgWrapper:M.Z,NcProgressBar:V.Z,Plus:nn,Upload:sn},props:{accept:{type:Array,default:null},disabled:{type:Boolean,default:!1},multiple:{type:Boolean,default:!1},destination:{type:w.gt,default:void 0},content:{type:Array,default:()=>[]}},data:()=>({addLabel:ln("New"),cancelLabel:ln("Cancel uploads"),uploadLabel:ln("Upload files"),progressLabel:ln("Upload progress"),progressTimeId:`nc-uploader-progress-${Math.random().toString(36).slice(7)}`,eta:null,timeLeft:"",newFileMenuEntries:[],uploadManager:mn()}),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===We.FAILED)).length},isUploading(){return this.queue?.length>0},isAssembling(){return 0!==this.queue?.filter((t=>t.status===We.ASSEMBLING)).length},isPaused(){return this.uploadManager.info?.status===Qe.PAUSED},buttonName(){if(!this.isUploading)return this.addLabel}},watch:{destination(t){this.setDestination(t)},totalQueueSize(t){this.eta=D({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),Je.debug("UploadPicker initialised")},methods:{onClick(){this.$refs.input.click()},async onPick(){let t=[...this.$refs.input.files];if(function(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}(t,this.content)){const e=t.filter((t=>this.content.find((e=>e.basename===t.name)))).filter(Boolean),s=t.filter((t=>!e.includes(t)));try{const{selected:i,renamed:r}=await async function(t,e,s){const{default:i}=await n.e(3338).then(n.bind(n,83338));return new Promise(((n,r)=>{const a=new i({propsData:{dirname:t,conflicts:e,content:s}});a.$on("submit",(t=>{n(t),a.$destroy(),a.$el?.parentNode?.removeChild(a.$el)})),a.$on("cancel",(t=>{r(t??new Error("Canceled")),a.$destroy(),a.$el?.parentNode?.removeChild(a.$el)})),a.$mount(),document.body.appendChild(a.$el)}))}(this.destination.basename,e,this.content);t=[...s,...i,...r]}catch{return void(0,B.x2)(ln("Upload cancelled"))}}t.forEach((t=>{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=ln("paused"));const t=Math.round(this.eta.estimate());if(t!==1/0)if(t<10)this.timeLeft=ln("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=ln("{time} left",{time:n})}else this.timeLeft=ln("{seconds} seconds left",{seconds:t});else this.timeLeft=ln("estimating time left")},setDestination(t){this.destination?(Je.debug("Destination set",{destination:t}),this.uploadManager.destination=t,this.newFileMenuEntries=(0,w.Ir)(t)):Je.debug("Invalid destination")},onUploadCompletion(t){t.status===We.FAILED?this.$emit("failed",t):this.$emit("uploaded",t)}}}),un=tn(cn,(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,"af4c69fa",null,null).exports;let dn=null;function mn(){const t=null!==document.querySelector('input[name="isPublic"][value="1"]');return dn instanceof Xe||(dn=new Xe(t)),dn}}},r={};function a(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,a),n.loaded=!0,n.exports}a.m=i,e=[],a.O=(t,n,s,i)=>{if(!n){var r=1/0;for(u=0;u=i)&&Object.keys(a.O).every((t=>a.O[t](n[l])))?n.splice(l--,1):(o=!1,i0&&e[u-1][2]>i;u--)e[u]=e[u-1];e[u]=[n,s,i]},a.n=t=>{var e=t&&t.__esModule?()=>t.default:()=>t;return a.d(e,{a:e}),e},a.d=(t,e)=>{for(var n in e)a.o(e,n)&&!a.o(t,n)&&Object.defineProperty(t,n,{enumerable:!0,get:e[n]})},a.f={},a.e=t=>Promise.all(Object.keys(a.f).reduce(((e,n)=>(a.f[n](t,e),e)),[])),a.u=t=>t+"-"+t+".js?v="+{1215:"dd1ef4c4cc807022e660",3338:"5063540cac8e3f8aff98",5076:"15b21454a9691213632e"}[t],a.g=function(){if("object"==typeof globalThis)return globalThis;try{return this||new Function("return this")()}catch(t){if("object"==typeof window)return window}}(),a.o=(t,e)=>Object.prototype.hasOwnProperty.call(t,e),n={},s="nextcloud:",a.l=(t,e,i,r)=>{if(n[t])n[t].push(e);else{var o,l;if(void 0!==i)for(var c=document.getElementsByTagName("script"),u=0;u{o.onerror=o.onload=null,clearTimeout(p);var i=n[t];if(delete n[t],o.parentNode&&o.parentNode.removeChild(o),i&&i.forEach((t=>t(s))),e)return e(s)},p=setTimeout(m.bind(null,void 0,{type:"timeout",target:o}),12e4);o.onerror=m.bind(null,o.onerror),o.onload=m.bind(null,o.onload),l&&document.head.appendChild(o)}},a.r=t=>{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(t,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(t,"__esModule",{value:!0})},a.nmd=t=>(t.paths=[],t.children||(t.children=[]),t),a.j=2181,(()=>{var t;a.g.importScripts&&(t=a.g.location+"");var e=a.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;)t=n[s--].src}if(!t)throw new Error("Automatic publicPath is not supported in this browser");t=t.replace(/#.*$/,"").replace(/\?.*$/,"").replace(/\/[^\/]+$/,"/"),a.p=t})(),(()=>{a.b=document.baseURI||self.location.href;var t={2181:0};a.f.j=(e,n)=>{var s=a.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=a.p+a.u(e),o=new Error;a.l(r,(n=>{if(a.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;o.message="Loading chunk "+e+" failed.\n("+i+": "+r+")",o.name="ChunkLoadError",o.type=i,o.request=r,s[1](o)}}),"chunk-"+e,e)}},a.O.j=e=>0===t[e];var e=(e,n)=>{var s,i,r=n[0],o=n[1],l=n[2],c=0;if(r.some((e=>0!==t[e]))){for(s in o)a.o(o,s)&&(a.m[s]=o[s]);if(l)var u=l(a)}for(e&&e(n);ca(65297)));o=a.O(o)})(); -//# sourceMappingURL=files-main.js.map?v=bcf5b519ca85c6cddf0d \ No newline at end of file +(()=>{var e,n,s,i={51772: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,a){if("function"!=typeof s)throw new TypeError("The listener must be a function");var o=new i(s,r||t,a),l=n?n+e:e;return t._events[l]?t._events[l].fn?t._events[l]=[t._events[l],o]:t._events[l].push(o):(t._events[l]=o,t._eventsCount++),t}function a(t,e){0==--t._eventsCount?t._events=new s:delete t._events[e]}function o(){this._events=new s,this._eventsCount=0}Object.create&&(s.prototype=Object.create(null),(new s).__proto__||(n=!1)),o.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},o.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,a=new Array(r);i{"use strict";var i={};s.r(i),s.d(i,{exclude:()=>Pt,extract:()=>kt,parse:()=>St,parseUrl:()=>Nt,pick:()=>Ft,stringify:()=>Lt,stringifyUrl:()=>It});var r=s(20144),a=!0;function o(){return"undefined"!=typeof navigator&&"undefined"!=typeof window?window:void 0!==s.g?s.g:{}}r.default.util.warn;const l="function"==typeof Proxy,c="devtools-plugin:setup";let u,d;class m{constructor(t,e){this.target=null,this.targetQueue=[],this.onQueue=[],this.plugin=t,this.hook=e;const n={};if(t.settings)for(const e in t.settings){const s=t.settings[e];n[e]=s.defaultValue}const i=`__vue-devtools-plugin-settings__${t.id}`;let r=Object.assign({},n);try{const t=localStorage.getItem(i),e=JSON.parse(t);Object.assign(r,e)}catch(t){}this.fallbacks={getSettings:()=>r,setSettings(t){try{localStorage.setItem(i,JSON.stringify(t))}catch(t){}r=t},now:()=>{return void 0!==u||("undefined"!=typeof window&&window.performance?(u=!0,d=window.performance):void 0!==s.g&&(null===(t=s.g.perf_hooks)||void 0===t?void 0:t.performance)?(u=!0,d=s.g.perf_hooks.performance):u=!1),u?d.now():Date.now();var t}},e&&e.on("plugin:settings:set",((t,e)=>{t===this.plugin.id&&this.fallbacks.setSettings(e)})),this.proxiedOn=new Proxy({},{get:(t,e)=>this.target?this.target.on[e]:(...t)=>{this.onQueue.push({method:e,args:t})}}),this.proxiedTarget=new Proxy({},{get:(t,e)=>this.target?this.target[e]:"on"===e?this.proxiedOn:Object.keys(this.fallbacks).includes(e)?(...t)=>(this.targetQueue.push({method:e,args:t,resolve:()=>{}}),this.fallbacks[e](...t)):(...t)=>new Promise((n=>{this.targetQueue.push({method:e,args:t,resolve:n})}))})}async setRealTarget(t){this.target=t;for(const t of this.onQueue)this.target.on[t.method](...t.args);for(const t of this.targetQueue)t.resolve(await this.target[t.method](...t.args))}}function p(t,e){const n=t,s=o(),i=o().__VUE_DEVTOOLS_GLOBAL_HOOK__,r=l&&n.enableEarlyProxy;if(!i||!s.__VUE_DEVTOOLS_PLUGIN_API_AVAILABLE__&&r){const t=r?new m(n,i):null;(s.__VUE_DEVTOOLS_PLUGINS__=s.__VUE_DEVTOOLS_PLUGINS__||[]).push({pluginDescriptor:n,setupFn:e,proxy:t}),t&&e(t.proxiedTarget)}else i.emit(c,t,e)}var f=s(25108);let g;const h=t=>g=t,A=Symbol();function w(t){return t&&"object"==typeof t&&"[object Object]"===Object.prototype.toString.call(t)&&"function"!=typeof t.toJSON}var y;!function(t){t.direct="direct",t.patchObject="patch object",t.patchFunction="patch function"}(y||(y={}));const v="undefined"!=typeof window,b="undefined"!=typeof __VUE_PROD_DEVTOOLS__&&__VUE_PROD_DEVTOOLS__&&v,C=(()=>"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 x(t,e,n){const s=new XMLHttpRequest;s.open("GET",t),s.responseType="blob",s.onload=function(){S(s.response,e,n)},s.onerror=function(){f.error("could not download file")},s.send()}function _(t){const e=new XMLHttpRequest;e.open("HEAD",t,!1);try{e.send()}catch(t){}return e.status>=200&&e.status<=299}function T(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 E="object"==typeof navigator?navigator:{userAgent:""},k=(()=>/Macintosh/.test(E.userAgent)&&/AppleWebKit/.test(E.userAgent)&&!/Safari/.test(E.userAgent))(),S=v?"undefined"!=typeof HTMLAnchorElement&&"download"in HTMLAnchorElement.prototype&&!k?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?_(s.href)?x(t,e,n):(s.target="_blank",T(s)):T(s)):(s.href=URL.createObjectURL(t),setTimeout((function(){URL.revokeObjectURL(s.href)}),4e4),setTimeout((function(){T(s)}),0))}:"msSaveOrOpenBlob"in E?function(t,e="download",n){if("string"==typeof t)if(_(t))x(t,e,n);else{const e=document.createElement("a");e.href=t,e.target="_blank",setTimeout((function(){T(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 x(t,e,n);const i="application/octet-stream"===t.type,r=/constructor/i.test(String(C.HTMLElement))||"safari"in C,a=/CriOS\/[\d]+/.test(navigator.userAgent);if((a||i&&r||k)&&"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=a?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 L(t,e){const n="🍍 "+t;"function"==typeof __VUE_DEVTOOLS_TOAST__?__VUE_DEVTOOLS_TOAST__(n,e):"error"===e?f.error(n):"warn"===e?f.warn(n):f.log(n)}function N(t){return"_a"in t&&"install"in t}function I(){if(!("clipboard"in navigator))return L("Your browser doesn't support the Clipboard API","error"),!0}function F(t){return!!(t instanceof Error&&t.message.toLowerCase().includes("document is not focused"))&&(L('You need to activate the "Emulate a focused page" setting in the "Rendering" panel of devtools.',"warn"),!0)}let P;function O(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 B(t){return{_custom:{display:t}}}const D="🍍 Pinia (root)",j="_root";function U(t){return N(t)?{id:j,label:D}:{id:t.$id,label:t.$id}}function R(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:B(t.type),key:B(t.key),oldValue:t.oldValue,newValue:t.newValue}:{}}function z(t){switch(t){case y.direct:return"mutation";case y.patchFunction:case y.patchObject:return"$patch";default:return"unknown"}}let M=!0;const V=[],$="pinia:mutations",q="pinia",{assign:H}=Object,G=t=>"🍍 "+t;function Z(t,e){p({id:"dev.esm.pinia",label:"Pinia 🍍",logo:"https://pinia.vuejs.org/logo.svg",packageName:"pinia",homepage:"https://pinia.vuejs.org",componentStateTypes:V,app:t},(n=>{"function"!=typeof n.now&&L("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:$,label:"Pinia 🍍",color:15064968}),n.addInspector({id:q,label:"Pinia 🍍",icon:"storage",treeFilterPlaceholder:"Search stores",actions:[{icon:"content_copy",action:()=>{!async function(t){if(!I())try{await navigator.clipboard.writeText(JSON.stringify(t.state.value)),L("Global state copied to clipboard.")}catch(t){if(F(t))return;L("Failed to serialize the state. Check the console for more details.","error"),f.error(t)}}(e)},tooltip:"Serialize and copy the state"},{icon:"content_paste",action:async()=>{await async function(t){if(!I())try{O(t,JSON.parse(await navigator.clipboard.readText())),L("Global state pasted from clipboard.")}catch(t){if(F(t))return;L("Failed to deserialize the state from clipboard. Check the console for more details.","error"),f.error(t)}}(e),n.sendInspectorTree(q),n.sendInspectorState(q)},tooltip:"Replace the state with the content of your clipboard"},{icon:"save",action:()=>{!async function(t){try{S(new Blob([JSON.stringify(t.state.value)],{type:"text/plain;charset=utf-8"}),"pinia-state.json")}catch(t){L("Failed to export the state as JSON. Check the console for more details.","error"),f.error(t)}}(e)},tooltip:"Save the state as a JSON file"},{icon:"folder_open",action:async()=>{await async function(t){try{const e=(P||(P=document.createElement("input"),P.type="file",P.accept=".json"),function(){return new Promise(((t,e)=>{P.onchange=async()=>{const e=P.files;if(!e)return t(null);const n=e.item(0);return t(n?{text:await n.text(),file:n}:null)},P.oncancel=()=>t(null),P.onerror=e,P.click()}))}),n=await e();if(!n)return;const{text:s,file:i}=n;O(t,JSON.parse(s)),L(`Global state imported from "${i.name}".`)}catch(t){L("Failed to import the state from JSON. Check the console for more details.","error"),f.error(t)}}(e),n.sendInspectorTree(q),n.sendInspectorState(q)},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?L(`Cannot reset "${t}" store because it doesn't have a "$reset" method implemented.`,"warn"):(n.$reset(),L(`Store "${t}" reset.`)):L(`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:G(e.$id),key:"state",editable:!0,value:e._isOptionsAPI?{_custom:{value:(0,r.toRaw)(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:G(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===q){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()):D.toLowerCase().includes(n.filter.toLowerCase()))):t).map(U)}})),n.on.getInspectorState((n=>{if(n.app===t&&n.inspectorId===q){const t=n.nodeId===j?e:e._s.get(n.nodeId);if(!t)return;t&&(n.state=function(t){if(N(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===q){const t=n.nodeId===j?e:e._s.get(n.nodeId);if(!t)return L(`store "${n.nodeId}" not found`,"error");const{path:s}=n;N(t)?s.unshift("state"):1===s.length&&t._customProperties.has(s[0])&&!(s[0]in t.$state)||s.unshift("$state"),M=!1,n.set(t,s,n.state.value),M=!0}})),n.on.editComponentState((t=>{if(t.type.startsWith("🍍")){const n=t.type.replace(/^🍍\s*/,""),s=e._s.get(n);if(!s)return L(`store "${n}" not found`,"error");const{path:i}=t;if("state"!==i[0])return L(`Invalid path for store "${n}":\n${i}\nOnly state can be modified.`);i[0]="$state",M=!1,t.set(s,i,t.state.value),M=!0}}))}))}let Y,W=0;function K(t,e,n){const s=e.reduce(((e,n)=>(e[n]=(0,r.toRaw)(t)[n],e)),{});for(const e in s)t[e]=function(){const i=W,r=n?new Proxy(t,{get:(...t)=>(Y=i,Reflect.get(...t)),set:(...t)=>(Y=i,Reflect.set(...t))}):t;Y=i;const a=s[e].apply(r,arguments);return Y=void 0,a}}function J({app:t,store:e,options:n}){if(e.$id.startsWith("__hot:"))return;e._isOptionsAPI=!!n.state,K(e,Object.keys(n.actions),e._isOptionsAPI);const s=e._hotUpdate;(0,r.toRaw)(e)._hotUpdate=function(t){s.apply(this,arguments),K(e,Object.keys(t._hmrPayload.actions),!!e._isOptionsAPI)},function(t,e){V.includes(G(e.$id))||V.push(G(e.$id)),p({id:"dev.esm.pinia",label:"Pinia 🍍",logo:"https://pinia.vuejs.org/logo.svg",packageName:"pinia",homepage:"https://pinia.vuejs.org",componentStateTypes:V,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:a})=>{const o=W++;t.addTimelineEvent({layerId:$,event:{time:n(),title:"🛫 "+r,subtitle:"start",data:{store:B(e.$id),action:B(r),args:a},groupId:o}}),s((s=>{Y=void 0,t.addTimelineEvent({layerId:$,event:{time:n(),title:"🛬 "+r,subtitle:"end",data:{store:B(e.$id),action:B(r),args:a,result:s},groupId:o}})})),i((s=>{Y=void 0,t.addTimelineEvent({layerId:$,event:{time:n(),logType:"error",title:"💥 "+r,subtitle:"end",data:{store:B(e.$id),action:B(r),args:a,error:s},groupId:o}})}))}),!0),e._customProperties.forEach((s=>{(0,r.watch)((()=>(0,r.unref)(e[s])),((e,i)=>{t.notifyComponentUpdate(),t.sendInspectorState(q),M&&t.addTimelineEvent({layerId:$,event:{time:n(),title:"Change",subtitle:s,data:{newValue:e,oldValue:i},groupId:Y}})}),{deep:!0})})),e.$subscribe((({events:s,type:i},r)=>{if(t.notifyComponentUpdate(),t.sendInspectorState(q),!M)return;const a={time:n(),title:z(i),data:H({store:B(e.$id)},R(s)),groupId:Y};i===y.patchFunction?a.subtitle="⤵️":i===y.patchObject?a.subtitle="🧩":s&&!Array.isArray(s)&&(a.subtitle=s.type),s&&(a.data["rawEvent(s)"]={_custom:{display:"DebuggerEvent",type:"object",tooltip:"raw DebuggerEvent[]",value:s}}),t.addTimelineEvent({layerId:$,event:a})}),{detached:!0,flush:"sync"});const s=e._hotUpdate;e._hotUpdate=(0,r.markRaw)((i=>{s(i),t.addTimelineEvent({layerId:$,event:{time:n(),title:"🔥 "+e.$id,subtitle:"HMR update",data:{store:B(e.$id),info:B("HMR update")}}}),t.notifyComponentUpdate(),t.sendInspectorTree(q),t.sendInspectorState(q)}));const{$dispose:i}=e;e.$dispose=()=>{i(),t.notifyComponentUpdate(),t.sendInspectorTree(q),t.sendInspectorState(q),t.getSettings().logStoreChanges&&L(`Disposed "${e.$id}" store 🗑`)},t.notifyComponentUpdate(),t.sendInspectorTree(q),t.sendInspectorState(q),t.getSettings().logStoreChanges&&L(`"${e.$id}" store installed 🆕`)}))}(t,e)}const Q=()=>{};function X(t,e,n,s=Q){t.push(e);const i=()=>{const n=t.indexOf(e);n>-1&&(t.splice(n,1),s())};return!n&&(0,r.getCurrentScope)()&&(0,r.onScopeDispose)(i),i}function tt(t,...e){t.slice().forEach((t=>{t(...e)}))}const et=t=>t();function nt(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];w(i)&&w(s)&&t.hasOwnProperty(n)&&!(0,r.isRef)(s)&&!(0,r.isReactive)(s)?t[n]=nt(i,s):t[n]=s}return t}const st=Symbol(),it=new WeakMap,{assign:rt}=Object;function at(t,e,n={},s,i,o){let l;const c=rt({actions:{}},n),u={deep:!0};let d,m,p,f=[],g=[];const A=s.state.value[t];o||A||(a?(0,r.set)(s.state.value,t,{}):s.state.value[t]={});const v=(0,r.ref)({});let C;function x(e){let n;d=m=!1,"function"==typeof e?(e(s.state.value[t]),n={type:y.patchFunction,storeId:t,events:p}):(nt(s.state.value[t],e),n={type:y.patchObject,payload:e,storeId:t,events:p});const i=C=Symbol();(0,r.nextTick)().then((()=>{C===i&&(d=!0)})),m=!0,tt(f,n,s.state.value[t])}const _=o?function(){const{state:t}=n,e=t?t():{};this.$patch((t=>{rt(t,e)}))}:Q;function T(e,n){return function(){h(s);const i=Array.from(arguments),r=[],a=[];let o;tt(g,{args:i,name:e,store:S,after:function(t){r.push(t)},onError:function(t){a.push(t)}});try{o=n.apply(this&&this.$id===t?this:S,i)}catch(t){throw tt(a,t),t}return o instanceof Promise?o.then((t=>(tt(r,t),t))).catch((t=>(tt(a,t),Promise.reject(t)))):(tt(r,o),o)}}const E=(0,r.markRaw)({actions:{},getters:{},state:[],hotState:v}),k={_p:s,$id:t,$onAction:X.bind(null,g),$patch:x,$reset:_,$subscribe(e,n={}){const i=X(f,e,n.detached,(()=>a())),a=l.run((()=>(0,r.watch)((()=>s.state.value[t]),(s=>{("sync"===n.flush?m:d)&&e({storeId:t,type:y.direct,events:p},s)}),rt({},u,n))));return i},$dispose:function(){l.stop(),f=[],g=[],s._s.delete(t)}};a&&(k._r=!1);const S=(0,r.reactive)(b?rt({_hmrPayload:E,_customProperties:(0,r.markRaw)(new Set)},k):k);s._s.set(t,S);const L=(s._a&&s._a.runWithContext||et)((()=>s._e.run((()=>(l=(0,r.effectScope)()).run(e)))));for(const e in L){const n=L[e];if((0,r.isRef)(n)&&(I=n,!(0,r.isRef)(I)||!I.effect)||(0,r.isReactive)(n))o||(!A||(N=n,a?it.has(N):w(N)&&N.hasOwnProperty(st))||((0,r.isRef)(n)?n.value=A[e]:nt(n,A[e])),a?(0,r.set)(s.state.value[t],e,n):s.state.value[t][e]=n);else if("function"==typeof n){const t=T(e,n);a?(0,r.set)(L,e,t):L[e]=t,c.actions[e]=n}}var N,I;if(a?Object.keys(L).forEach((t=>{(0,r.set)(S,t,L[t])})):(rt(S,L),rt((0,r.toRaw)(S),L)),Object.defineProperty(S,"$state",{get:()=>s.state.value[t],set:t=>{x((e=>{rt(e,t)}))}}),b){const t={writable:!0,configurable:!0,enumerable:!1};["_p","_hmrPayload","_getters","_customProperties"].forEach((e=>{Object.defineProperty(S,e,rt({value:S[e]},t))}))}return a&&(S._r=!0),s._p.forEach((t=>{if(b){const e=l.run((()=>t({store:S,app:s._a,pinia:s,options:c})));Object.keys(e||{}).forEach((t=>S._customProperties.add(t))),rt(S,e)}else rt(S,l.run((()=>t({store:S,app:s._a,pinia:s,options:c}))))})),A&&o&&n.hydrate&&n.hydrate(S.$state,A),d=!0,m=!0,S}function ot(t,e,n){let s,i;const o="function"==typeof e;function l(t,n){const l=!!(0,r.getCurrentInstance)();return(t=t||(l?(0,r.inject)(A,null):null))&&h(t),(t=g)._s.has(s)||(o?at(s,e,i,t):function(t,e,n,s){const{state:i,actions:o,getters:l}=e,c=n.state.value[t];let u;u=at(t,(function(){c||(a?(0,r.set)(n.state.value,t,i?i():{}):n.state.value[t]=i?i():{});const e=(0,r.toRefs)(n.state.value[t]);return rt(e,o,Object.keys(l||{}).reduce(((e,s)=>(e[s]=(0,r.markRaw)((0,r.computed)((()=>{h(n);const e=n._s.get(t);if(!a||e._r)return l[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),l.$id=s,l}var lt=s(5656),ct=s(77958),ut=s(79753);const dt="%[a-f0-9]{2}",mt=new RegExp("("+dt+")|([^%]+?)","gi"),pt=new RegExp("("+dt+")+","gi");function ft(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([],ft(n),ft(s))}function gt(t){try{return decodeURIComponent(t)}catch{let e=t.match(mt)||[];for(let n=1;nnull==t,yt=t=>encodeURIComponent(t).replace(/[!'()*]/g,(t=>`%${t.charCodeAt(0).toString(16).toUpperCase()}`)),vt=Symbol("encodeFragmentIdentifier");function bt(t){if("string"!=typeof t||1!==t.length)throw new TypeError("arrayFormatSeparator must be single character string")}function Ct(t,e){return e.encode?e.strict?yt(t):encodeURIComponent(t):t}function xt(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=pt.exec(t);for(;n;){try{e[n[0]]=decodeURIComponent(n[0])}catch{const t=gt(n[0]);t!==n[0]&&(e[n[0]]=t)}n=pt.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 _t(t){return Array.isArray(t)?t.sort():"object"==typeof t?_t(Object.keys(t)).sort(((t,e)=>Number(t)-Number(e))).map((e=>t[e])):t}function Tt(t){const e=t.indexOf("#");return-1!==e&&(t=t.slice(0,e)),t}function Et(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 kt(t){const e=(t=Tt(t)).indexOf("?");return-1===e?"":t.slice(e+1)}function St(t,e){bt((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&&xt(n,t).includes(t.arrayFormatSeparator);n=r?xt(n,t):n;const a=i||r?n.split(t.arrayFormatSeparator).map((e=>xt(e,t))):null===n?n:xt(n,t);s[e]=a};case"bracket-separator":return(e,n,s)=>{const i=/(\[])$/.test(e);if(e=e.replace(/\[]$/,""),!i)return void(s[e]=n?xt(n,t):n);const r=null===n?[]:n.split(t.arrayFormatSeparator).map((e=>xt(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,a]=ht(t,"=");void 0===r&&(r=t),a=void 0===a?null:["comma","separator","bracket-separator"].includes(e.arrayFormat)?a:xt(a,e),n(xt(r,e),a,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]=Et(s,e);else s[t]=Et(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 Boolean(n)&&"object"==typeof n&&!Array.isArray(n)?t[e]=_t(n):t[e]=n,t}),Object.create(null))}function Lt(t,e){if(!t)return"";bt((e={encode:!0,strict:!0,arrayFormat:"none",arrayFormatSeparator:",",...e}).arrayFormatSeparator);const n=n=>e.skipNull&&wt(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,[Ct(e,t),"[",i,"]"].join("")]:[...n,[Ct(e,t),"[",Ct(i,t),"]=",Ct(s,t)].join("")]};case"bracket":return e=>(n,s)=>void 0===s||t.skipNull&&null===s||t.skipEmptyString&&""===s?n:null===s?[...n,[Ct(e,t),"[]"].join("")]:[...n,[Ct(e,t),"[]=",Ct(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,[Ct(e,t),":list="].join("")]:[...n,[Ct(e,t),":list=",Ct(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?[[Ct(n,t),e,Ct(i,t)].join("")]:[[s,Ct(i,t)].join(t.arrayFormatSeparator)])}default:return e=>(n,s)=>void 0===s||t.skipNull&&null===s||t.skipEmptyString&&""===s?n:null===s?[...n,Ct(e,t)]:[...n,[Ct(e,t),"=",Ct(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?Ct(n,e):Array.isArray(i)?0===i.length&&"bracket-separator"===e.arrayFormat?Ct(n,e)+"[]":i.reduce(s(n),[]).join("&"):Ct(n,e)+"="+Ct(i,e)})).filter((t=>t.length>0)).join("&")}function Nt(t,e){e={decode:!0,...e};let[n,s]=ht(t,"#");return void 0===n&&(n=t),{url:n?.split("?")?.[0]??"",query:St(kt(t),e),...e&&e.parseFragmentIdentifier&&s?{fragmentIdentifier:xt(s,e)}:{}}}function It(t,e){e={encode:!0,strict:!0,[vt]:!0,...e};const n=Tt(t.url).split("?")[0]||"";let s=Lt({...St(kt(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[vt]?s.hash:`#${t.fragmentIdentifier}`}return`${n}${s}${i}`}function Ft(t,e,n){n={parseFragmentIdentifier:!0,[vt]:!1,...n};const{url:s,query:i,fragmentIdentifier:r}=Nt(t,n);return It({url:s,query:At(i,e),fragmentIdentifier:r},n)}function Pt(t,e,n){return Ft(t,Array.isArray(e)?t=>!e.includes(t):(t,n)=>!e(t,n),n)}const Ot=i;var Bt=s(25108);function Dt(t,e){for(var n in e)t[n]=e[n];return t}var jt=/[!'()*]/g,Ut=function(t){return"%"+t.charCodeAt(0).toString(16)},Rt=/%2C/g,zt=function(t){return encodeURIComponent(t).replace(jt,Ut).replace(Rt,",")};function Mt(t){try{return decodeURIComponent(t)}catch(t){}return t}var Vt=function(t){return null==t||"object"==typeof t?t:String(t)};function $t(t){var e={};return(t=t.trim().replace(/^(\?|#|&)/,""))?(t.split("&").forEach((function(t){var n=t.replace(/\+/g," ").split("="),s=Mt(n.shift()),i=n.length>0?Mt(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 qt(t){var e=t?Object.keys(t).map((function(e){var n=t[e];if(void 0===n)return"";if(null===n)return zt(e);if(Array.isArray(n)){var s=[];return n.forEach((function(t){void 0!==t&&(null===t?s.push(zt(e)):s.push(zt(e)+"="+zt(t)))})),s.join("&")}return zt(e)+"="+zt(n)})).filter((function(t){return t.length>0})).join("&"):null;return e?"?"+e:""}var Ht=/\/?$/;function Gt(t,e,n,s){var i=s&&s.options.stringifyQuery,r=e.query||{};try{r=Zt(r)}catch(t){}var a={name:e.name||t&&t.name,meta:t&&t.meta||{},path:e.path||"/",hash:e.hash||"",query:r,params:e.params||{},fullPath:Kt(e,i),matched:t?Wt(t):[]};return n&&(a.redirectedFrom=Kt(n,i)),Object.freeze(a)}function Zt(t){if(Array.isArray(t))return t.map(Zt);if(t&&"object"==typeof t){var e={};for(var n in t)e[n]=Zt(t[n]);return e}return t}var Yt=Gt(null,{path:"/"});function Wt(t){for(var e=[];t;)e.unshift(t),t=t.parent;return e}function Kt(t,e){var n=t.path,s=t.query;void 0===s&&(s={});var i=t.hash;return void 0===i&&(i=""),(n||"/")+(e||qt)(s)+i}function Jt(t,e,n){return e===Yt?t===e:!!e&&(t.path&&e.path?t.path.replace(Ht,"")===e.path.replace(Ht,"")&&(n||t.hash===e.hash&&Qt(t.query,e.query)):!(!t.name||!e.name)&&t.name===e.name&&(n||t.hash===e.hash&&Qt(t.query,e.query)&&Qt(t.params,e.params)))}function Qt(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 a=e[n];return null==r||null==a?r===a:"object"==typeof r&&"object"==typeof a?Qt(r,a):String(r)===String(a)}))}function Xt(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||"/",u=l.path?ne(l.path,c,n||i.append):c,d=function(t,e,n){void 0===e&&(e={});var s,i=n||$t;try{s=i(t||"")}catch(t){s={}}for(var r in e){var a=e[r];s[r]=Array.isArray(a)?a.map(Vt):Vt(a)}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:u,query:d,hash:m}}var be,Ce=function(){},xe={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,a=i.route,o=i.href,l={},c=n.options.linkActiveClass,u=n.options.linkExactActiveClass,d=null==c?"router-link-active":c,m=null==u?"router-link-exact-active":u,p=null==this.activeClass?d:this.activeClass,f=null==this.exactActiveClass?m:this.exactActiveClass,g=a.redirectedFrom?Gt(null,ve(a.redirectedFrom),null,n):a;l[f]=Jt(s,g,this.exactPath),l[p]=this.exact||this.exactPath?l[f]:function(t,e){return 0===t.path.replace(Ht,"/").indexOf(e.path.replace(Ht,"/"))&&(!e.hash||t.hash===e.hash)&&function(t,e){for(var n in e)if(!(n in t))return!1;return!0}(t.query,e.query)}(s,g);var h=l[f]?this.ariaCurrentValue:null,A=function(t){_e(t)&&(e.replace?n.replace(r,Ce):n.push(r,Ce))},w={click:_e};Array.isArray(this.event)?this.event.forEach((function(t){w[t]=A})):w[this.event]=A;var y={class:l},v=!this.$scopedSlots.$hasNormal&&this.$scopedSlots.default&&this.$scopedSlots.default({href:o,route:a,navigate:A,isActive:l[p],isExactActive:l[f]});if(v){if(1===v.length)return v[0];if(v.length>1||!v.length)return 0===v.length?t():t("span",{},v)}if("a"===this.tag)y.on=w,y.attrs={href:o,"aria-current":h};else{var b=Te(this.$slots.default);if(b){b.isStatic=!1;var C=b.data=Dt({},b.data);for(var x in C.on=C.on||{},C.on){var _=C.on[x];x in w&&(C.on[x]=Array.isArray(_)?_:[_])}for(var T in w)T in C.on?C.on[T].push(w[T]):C.on[T]=A;var E=b.data.attrs=Dt({},b.data.attrs);E.href=o,E["aria-current"]=h}else y.on=w}return t(this.tag,y,this.$slots.default)}};function _e(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 Te(t){if(t)for(var e,n=0;n-1&&(l.params[m]=n.params[m]);return l.path=ye(u.path,l.params),o(u,l,a)}if(l.path){l.params={};for(var p=0;p-1}function nn(t,e){return en(t)&&t._isRouter&&(null==e||t.type===e)}function sn(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 rn(t,e){return an(t.map((function(t){return Object.keys(t.components).map((function(n){return e(t.components[n],t.instances[n],t,n)}))})))}function an(t){return Array.prototype.concat.apply([],t)}var on="function"==typeof Symbol&&"symbol"==typeof Symbol.toStringTag;function ln(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 cn=function(t,e){this.router=t,this.base=function(t){if(!t)if(Ee){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=Yt,this.pending=null,this.ready=!1,this.readyCbs=[],this.readyErrorCbs=[],this.errorCbs=[],this.listeners=[]};function un(t,e,n,s){var i=rn(t,(function(t,s,i,r){var a=function(t,e){return"function"!=typeof t&&(t=be.extend(t)),t.options[e]}(t,e);if(a)return Array.isArray(a)?a.map((function(t){return n(t,s,i,r)})):n(a,s,i,r)}));return an(s?i.reverse():i)}function dn(t,e){if(e)return function(){return t.apply(e,arguments)}}cn.prototype.listen=function(t){this.cb=t},cn.prototype.onReady=function(t,e){this.ready?t():(this.readyCbs.push(t),e&&this.readyErrorCbs.push(e))},cn.prototype.onError=function(t){this.errorCbs.push(t)},cn.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&&(nn(t,Je.redirected)&&r===Yt||(i.ready=!0,i.readyErrorCbs.forEach((function(e){e(t)}))))}))},cn.prototype.confirmTransition=function(t,e,n){var s=this,i=this.current;this.pending=t;var r,a,o=function(t){!nn(t)&&en(t)&&(s.errorCbs.length?s.errorCbs.forEach((function(e){e(t)})):Bt.error(t)),n&&n(t)},l=t.matched.length-1,c=i.matched.length-1;if(Jt(t,i)&&l===c&&t.matched[l]===i.matched[c])return this.ensureURL(),t.hash&&Re(this.router,i,t,!1),o(((a=Xe(r=i,t,Je.duplicated,'Avoided redundant navigation to current location: "'+r.fullPath+'".')).name="NavigationDuplicated",a));var u,d=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=Ye&&n;s&&this.listeners.push(Ue());var i=function(){var n=t.current,i=pn(t.base);t.current===Yt&&i===t._startLocation||t.transitionTo(i,(function(t){s&&Re(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){We(se(s.base+t.fullPath)),Re(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){Ke(se(s.base+t.fullPath)),Re(s.router,t,i,!1),e&&e(t)}),n)},e.prototype.ensureURL=function(t){if(pn(this.base)!==this.current.fullPath){var e=se(this.base+this.current.fullPath);t?We(e):Ke(e)}},e.prototype.getCurrentLocation=function(){return pn(this.base)},e}(cn);function pn(t){var e=window.location.pathname,n=e.toLowerCase(),s=t.toLowerCase();return!t||n!==s&&0!==n.indexOf(se(s+"/"))||(e=e.slice(t.length)),(e||"/")+window.location.search+window.location.hash}var fn=function(t){function e(e,n,s){t.call(this,e,n),s&&function(t){var e=pn(t);if(!/^\/#/.test(e))return window.location.replace(se(t+"/#"+e)),!0}(this.base)||gn()}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=Ye&&e;n&&this.listeners.push(Ue());var s=function(){var e=t.current;gn()&&t.transitionTo(hn(),(function(s){n&&Re(t.router,s,e,!0),Ye||yn(s.fullPath)}))},i=Ye?"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){wn(t.fullPath),Re(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){yn(t.fullPath),Re(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;hn()!==e&&(t?wn(e):yn(e))},e.prototype.getCurrentLocation=function(){return hn()},e}(cn);function gn(){var t=hn();return"/"===t.charAt(0)||(yn("/"+t),!1)}function hn(){var t=window.location.href,e=t.indexOf("#");return e<0?"":t=t.slice(e+1)}function An(t){var e=window.location.href,n=e.indexOf("#");return(n>=0?e.slice(0,n):e)+"#"+t}function wn(t){Ye?We(An(t)):window.location.hash=t}function yn(t){Ye?Ke(An(t)):window.location.replace(An(t))}var vn=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){nn(t,Je.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}(cn),bn=function(t){void 0===t&&(t={}),this.app=null,this.apps=[],this.options=t,this.beforeHooks=[],this.resolveHooks=[],this.afterHooks=[],this.matcher=Ne(t.routes||[],this);var e=t.mode||"hash";switch(this.fallback="history"===e&&!Ye&&!1!==t.fallback,this.fallback&&(e="hash"),Ee||(e="abstract"),this.mode=e,e){case"history":this.history=new mn(this,t.base);break;case"hash":this.history=new fn(this,t.base,this.fallback);break;case"abstract":this.history=new vn(this,t.base)}},Cn={currentRoute:{configurable:!0}};bn.prototype.match=function(t,e,n){return this.matcher.match(t,e,n)},Cn.currentRoute.get=function(){return this.history&&this.history.current},bn.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 mn||n instanceof fn){var s=function(t){n.setupListeners(),function(t){var s=n.current,i=e.options.scrollBehavior;Ye&&i&&"fullPath"in t&&Re(e,t,s,!1)}(t)};n.transitionTo(n.getCurrentLocation(),s,s)}n.listen((function(t){e.apps.forEach((function(e){e._route=t}))}))}},bn.prototype.beforeEach=function(t){return _n(this.beforeHooks,t)},bn.prototype.beforeResolve=function(t){return _n(this.resolveHooks,t)},bn.prototype.afterEach=function(t){return _n(this.afterHooks,t)},bn.prototype.onReady=function(t,e){this.history.onReady(t,e)},bn.prototype.onError=function(t){this.history.onError(t)},bn.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)},bn.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)},bn.prototype.go=function(t){this.history.go(t)},bn.prototype.back=function(){this.go(-1)},bn.prototype.forward=function(){this.go(1)},bn.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]}))}))):[]},bn.prototype.resolve=function(t,e,n){var s=ve(t,e=e||this.history.current,n,this),i=this.match(s,e),r=i.redirectedFrom||i.fullPath,a=function(t,e,n){var s="hash"===n?"#"+e:e;return t?se(t+"/"+s):s}(this.history.base,r,this.mode);return{location:s,route:i,href:a,normalizedTo:s,resolved:i}},bn.prototype.getRoutes=function(){return this.matcher.getRoutes()},bn.prototype.addRoute=function(t,e){this.matcher.addRoute(t,e),this.history.current!==Yt&&this.history.transitionTo(this.history.getCurrentLocation())},bn.prototype.addRoutes=function(t){this.matcher.addRoutes(t),this.history.current!==Yt&&this.history.transitionTo(this.history.getCurrentLocation())},Object.defineProperties(bn.prototype,Cn);var xn=bn;function _n(t,e){return t.push(e),function(){var n=t.indexOf(e);n>-1&&t.splice(n,1)}}bn.install=function t(e){if(!t.installed||be!==e){t.installed=!0,be=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",te),e.component("RouterLink",xe);var i=e.config.optionMergeStrategies;i.beforeRouteEnter=i.beforeRouteLeave=i.beforeRouteUpdate=i.created}},bn.version="3.6.5",bn.isNavigationFailure=nn,bn.NavigationFailureType=Je,bn.START_LOCATION=Yt,Ee&&window.Vue&&window.Vue.use(bn),r.default.use(xn);const Tn=xn.prototype.push;xn.prototype.push=function(t,e,n){return e||n?Tn.call(this,t,e,n):Tn.call(this,t).catch((t=>t))};const En=new xn({mode:"history",base:(0,ut.generateUrl)("/apps/files"),linkActiveClass:"active",routes:[{path:"/",redirect:{name:"filelist",params:{view:"files"}}},{path:"/:view/:fileid(\\d+)?",name:"filelist",props:!0}],stringifyQuery(t){const e=Ot.stringify(t).replace(/%2F/gim,"/");return e?"?"+e:""}});function kn(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 Sn=s(25108);var Ln=s(6134),Nn=s(69183),In=s(31352),Fn=s(69608),Pn=s(44792),On=s(51900);const Bn=(0,On.Z)(Pn.Z,Fn.s,Fn.x,!1,null,null,null).exports;var Dn=s(57084),jn=s(26640),Un=s(46226),Rn=s(43554);var zn=s(93664);const Mn=(0,Rn.j)("files","viewConfigs",{}),Vn=function(){const t=ot("viewconfig",{state:()=>({viewConfig:Mn}),getters:{getConfig:t=>e=>t.viewConfig[e]||{}},actions:{onUpdate(t,e,n){this.viewConfig[t]||r.default.set(this.viewConfig,t,{}),r.default.set(this.viewConfig[t],e,n)},async update(t,e,n){zn.Z.put((0,ut.generateUrl)(`/apps/files/api/v1/views/${t}/${e}`),{value:n}),(0,Nn.j8)("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,Nn.Ld)("files:viewconfig:updated",(function(t){let{view:n,key:s,value:i}=t;e.onUpdate(n,s,i)})),e._initialized=!0),e},$n=(0,s(17499).IY)().setApp("files").detectUser().build();function qn(t,e,n){var s,i=n||{},r=i.noTrailing,a=void 0!==r&&r,o=i.noLeading,l=void 0!==o&&o,c=i.debounceMode,u=void 0===c?void 0:c,d=!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(),a||(s=setTimeout(u?g:f,t))):f():!0!==a&&(s=setTimeout(u?g:f,void 0===u?t-c:t)))}return f.cancel=function(t){var e=(t||{}).upcomingOnly,n=void 0!==e&&e;p(),d=!n},f}var Hn=s(64024);const Gn={name:"ChartPieIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Zn=(0,On.Z)(Gn,(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,"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 Yn=s(29094);const Wn={name:"NavigationQuota",components:{ChartPie:Zn,NcAppNavigationItem:jn.Z,NcProgressBar:Yn.Z},data:()=>({loadingStorageStats:!1,storageStats:(0,Rn.j)("files","storageStats",null)}),computed:{storageStatsTitle(){const t=(0,lt.sS)(this.storageStats?.used,!1,!1),e=(0,lt.sS)(this.storageStats?.quota,!1,!1);return this.storageStats?.quota<0?this.t("files","{usedQuotaByte} used",{usedQuotaByte:t}):this.t("files","{used} of {quota} used",{used:t,quota:e})},storageStatsTooltip(){return this.storageStats.relative?this.t("files","{relative}% used",this.storageStats):""}},beforeMount(){setInterval(this.throttleUpdateStorageStats,6e4),(0,Nn.Ld)("files:node:created",this.throttleUpdateStorageStats),(0,Nn.Ld)("files:node:deleted",this.throttleUpdateStorageStats),(0,Nn.Ld)("files:node:moved",this.throttleUpdateStorageStats),(0,Nn.Ld)("files:node:updated",this.throttleUpdateStorageStats)},mounted(){this.storageStats?.free<=0&&this.showStorageFullWarning()},methods:{debounceUpdateStorageStats:(Kn={}.atBegin,qn(200,(function(t){this.updateStorageStats(t)}),{debounceMode:!1!==(void 0!==Kn&&Kn)})),throttleUpdateStorageStats:qn(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{const t=await zn.Z.get((0,ut.generateUrl)("/apps/files/api/v1/stats"));if(!t?.data?.data)throw new Error("Invalid storage stats");this.storageStats?.free>0&&t.data.data?.free<=0&&this.showStorageFullWarning(),this.storageStats=t.data.data}catch(n){$n.error("Could not refresh storage stats",{error:n}),e&&(0,Hn.x2)(t("files","Could not refresh storage stats"))}finally{this.loadingStorageStats=!1}}},showStorageFullWarning(){(0,Hn.x2)(this.t("files","Your storage is full, files can not be updated or synced anymore!"))},t:In.Iu}};var Kn,Jn=s(93379),Qn=s.n(Jn),Xn=s(7795),ts=s.n(Xn),es=s(90569),ns=s.n(es),ss=s(3565),is=s.n(ss),rs=s(19216),as=s.n(rs),os=s(44589),ls=s.n(os),cs=s(75136),us={};us.styleTagTransform=ls(),us.setAttributes=is(),us.insert=ns().bind(null,"head"),us.domAPI=ts(),us.insertStyleElement=as(),Qn()(cs.Z,us),cs.Z&&cs.Z.locals&&cs.Z.locals;const ds=(0,On.Z)(Wn,(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,"18ceb3ce",null).exports;var ms=s(5864),ps=s(28454),fs=s(9359);const gs={name:"ClipboardIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},hs=(0,On.Z)(gs,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon clipboard-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 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 As=s(31346);const ws={name:"Setting",props:{el:{type:Function,required:!0}},mounted(){this.$el.appendChild(this.el())}},ys=(0,On.Z)(ws,(function(){return(0,this._self._c)("div")}),[],!1,null,null,null).exports,vs=(0,Rn.j)("files","config",{show_hidden:!1,crop_image_previews:!0,sort_favorites_first:!0,grid_view:!1}),bs=function(){const t=ot("userconfig",{state:()=>({userConfig:vs}),actions:{onUpdate(t,e){r.default.set(this.userConfig,t,e)},async update(t,e){await zn.Z.put((0,ut.generateUrl)("/apps/files/api/v1/config/"+t),{value:e}),(0,Nn.j8)("files:config:updated",{key:t,value:e})}}})(...arguments);return t._initialized||((0,Nn.Ld)("files:config:updated",(function(e){let{key:n,value:s}=e;t.onUpdate(n,s)})),t._initialized=!0),t},Cs={name:"Settings",components:{Clipboard:hs,NcAppSettingsDialog:ms.N,NcAppSettingsSection:ps.Z,NcCheckboxRadioSwitch:fs.Z,NcInputField:As.Z,Setting:ys},props:{open:{type:Boolean,default:!1}},setup:()=>({userConfigStore:bs()}),data:()=>({settings:window.OCA?.Files?.Settings?.settings||[],webdavUrl:(0,ut.generateRemoteUrl)("dav/files/"+encodeURIComponent((0,ct.ts)()?.uid)),webdavDocs:"https://docs.nextcloud.com/server/stable/go.php?to=user-webdav",appPasswordUrl:(0,ut.generateUrl)("/settings/user/security#generate-app-token-section"),webdavUrlCopied:!1,enableGridView:(0,Rn.j)("core","config",[])["enable_non-accessible_features"]??!0}),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,Hn.s$)(t("files","WebDAV URL copied to clipboard")),setTimeout((()=>{this.webdavUrlCopied=!1}),5e3)):(0,Hn.x2)(t("files","Clipboard is not available"))},t:In.Iu}};var xs=s(79232),_s={};_s.styleTagTransform=ls(),_s.setAttributes=is(),_s.insert=ns().bind(null,"head"),_s.domAPI=ts(),_s.insertStyleElement=as(),Qn()(xs.Z,_s),xs.Z&&xs.Z.locals&&xs.Z.locals;const Ts=(0,On.Z)(Cs,(function(){var t=this,e=t._self._c;return e("NcAppSettingsDialog",{attrs:{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:{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:{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:{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:{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,"decd355e",null).exports,Es={name:"Navigation",components:{Cog:Bn,NavigationQuota:ds,NcAppNavigation:Dn.Z,NcAppNavigationItem:jn.Z,NcIconSvgWrapper:Un.Z,SettingsModal:Ts},setup:()=>({viewConfigStore:Vn()}),data:()=>({settingsOpened:!1}),computed:{currentViewId(){return this.$route?.params?.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!==e?.id&&(this.$navigation.setActive(t),$n.debug(`Navigation changed from ${e.id} to ${t.id}`,{from:e,to:t}),this.showView(t))}},beforeMount(){this.currentView&&($n.debug("Navigation mounted. Showing requested view",{view:this.currentView}),this.showView(this.currentView))},methods:{useExactRouteMatching(t){return this.childViews[t.id]?.length>0},showView(t){window?.OCA?.Files?.Sidebar?.close?.(),this.$navigation.setActive(t),function(t){const e=document.getElementById("page-heading-level-1");e&&(e.textContent=t)}(t.name),(0,Nn.j8)("files:navigation:changed",t)},onToggleExpand(t){const e=this.isExpanded(t);t.expanded=!e,this.viewConfigStore.update(t.id,"expanded",!e)},isExpanded(t){return"boolean"==typeof this.viewConfigStore.getConfig(t.id)?.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:In.Iu}};var ks=s(12131),Ss={};Ss.styleTagTransform=ls(),Ss.setAttributes=is(),Ss.insert=ns().bind(null,"head"),Ss.domAPI=ts(),Ss.insertStyleElement=as(),Qn()(ks.Z,Ss),ks.Z&&ks.Z.locals&&ks.Z.locals;const Ls=(0,On.Z)(Es,(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,"3f2914e1",null).exports;var Ns=s(42515),Is=s(62520),Fs=function(t,e){return te?1:0},Ps=function(t,e){var n=t.localeCompare(e);return n?n/Math.abs(n):0},Os=/(^0x[\da-fA-F]+$|^([+-]?(?:\d+(?:\.\d*)?|\.\d+)(?:[eE][+-]?\d+)?(?!\.\d+)(?=\D|\s|$))|\d+)/g,Bs=/^\s+|\s+$/g,Ds=/\s+/g,js=/^[+-]?(?:\d+(?:\.\d*)?|\.\d+)(?:[eE][+-]?\d+)?$/,Us=/(^([\w ]+,?[\w ]+)?[\w ]+,?[\w ]+\d+:\d+(:\d+)?[\w ]?|^\d{1,4}[/-]\d{1,4}[/-]\d{1,4}|^\w+, \w+ \d+, \d{4})/,Rs=/^0+[1-9]{1}[0-9]*$/,zs=/[^\x00-\x80]/,Ms=function(t,e){return te?1:0},Vs=function(t){return t.replace(Ds," ").replace(Bs,"")},$s=function(t){if(0!==t.length){var e=Number(t);if(!Number.isNaN(e))return e}},qs=function(t,e,n){if(js.test(t)&&(!Rs.test(t)||0===e||"."!==n[e-1]))return $s(t)||0},Hs=function(t,e,n){return{parsedNumber:qs(t,e,n),normalizedString:Vs(t)}},Gs=function(t){var e=function(t){return t.replace(Os,"\0$1\0").replace(/\0$/,"").replace(/^\0/,"").split("\0")}(t).map(Hs);return e},Zs=function(t){return"function"==typeof t},Ys=function(t){return Number.isNaN(t)||t instanceof Number&&Number.isNaN(t.valueOf())},Ws=function(t){return null===t},Ks=function(t){return!(null===t||"object"!=typeof t||Array.isArray(t)||t instanceof Number||t instanceof String||t instanceof Boolean||t instanceof Date)},Js=function(t){return"symbol"==typeof t},Qs=function(t){return void 0===t},Xs=function(t){if("string"==typeof t||t instanceof String||("number"==typeof t||t instanceof Number)&&!Ys(t)||"boolean"==typeof t||t instanceof Boolean||t instanceof Date){var e=function(t){return"boolean"==typeof t||t instanceof Boolean?Number(t).toString():"number"==typeof t||t instanceof Number?t.toString():t instanceof Date?t.getTime().toString():"string"==typeof t||t instanceof String?t.toLowerCase().replace(Bs,""):""}(t),n=function(t){var e=$s(t);return void 0!==e?e:function(t){try{var e=Date.parse(t);return!Number.isNaN(e)&&Us.test(t)?e:void 0}catch(t){return}}(t)}(e);return{parsedNumber:n,chunks:Gs(n?""+n:e),value:t}}return{isArray:Array.isArray(t),isFunction:Zs(t),isNaN:Ys(t),isNull:Ws(t),isObject:Ks(t),isSymbol:Js(t),isUndefined:Qs(t),value:t}},ti=function(t){return"function"==typeof t?t:function(e){if(Array.isArray(e)){var n=Number(t);if(Number.isInteger(n))return e[n]}else if(e&&"object"==typeof e){var s=Object.getOwnPropertyDescriptor(e,t);return null==s?void 0:s.value}return e}};function ei(t,e,n){if(!t||!Array.isArray(t))return[];var s=function(t){if(!t)return[];var e=Array.isArray(t)?[].concat(t):[t];return e.some((function(t){return"string"!=typeof t&&"number"!=typeof t&&"function"!=typeof t}))?[]:e}(e),i=function(t){if(!t)return[];var e=Array.isArray(t)?[].concat(t):[t];return e.some((function(t){return"asc"!==t&&"desc"!==t&&"function"!=typeof t}))?[]:e}(n);return function(t,e,n){var s=e.length?e.map(ti):[function(t){return t}],i=t.map((function(t,e){return{index:e,values:s.map((function(e){return e(t)})).map(Xs)}}));return i.sort((function(t,e){return function(t,e,n){for(var s=t.index,i=t.values,r=e.index,a=e.values,o=i.length,l=n.length,c=0;ci||s>i?n<=i?-1:1:0}(p.chunks,f.chunks):function(t,e){return(t.chunks?!e.chunks:e.chunks)?t.chunks?-1:1:(t.isNaN?!e.isNaN:e.isNaN)?t.isNaN?-1:1:(t.isSymbol?!e.isSymbol:e.isSymbol)?t.isSymbol?-1:1:(t.isObject?!e.isObject:e.isObject)?t.isObject?-1:1:(t.isArray?!e.isArray:e.isArray)?t.isArray?-1:1:(t.isFunction?!e.isFunction:e.isFunction)?t.isFunction?-1:1:(t.isNull?!e.isNull:e.isNull)?t.isNull?-1:1:0}(p,f));if(m)return m*("desc"===u?-1:1)}}var p,f;return s-r}(t,e,n)})),i.map((function(e){return function(t,e){return t[e]}(t,e.index)}))}(t,s,i)}var ni=s(5055),si=s(41922),ii=s(99125),ri=s(90207);const ai={name:"FormatListBulletedSquareIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},oi=(0,On.Z)(ai,(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,"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 li=s(81040),ci=s(29497),ui=s(52506),di=s(87604),mi=s(81755);const pi={name:"ShareVariantIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},fi=(0,On.Z)(pi,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon share-variant-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 24 24"}},[e("path",{attrs:{d:"M18,16.08C17.24,16.08 16.56,16.38 16.04,16.85L8.91,12.7C8.96,12.47 9,12.24 9,12C9,11.76 8.96,11.53 8.91,11.3L15.96,7.19C16.5,7.69 17.21,8 18,8A3,3 0 0,0 21,5A3,3 0 0,0 18,2A3,3 0 0,0 15,5C15,5.24 15.04,5.47 15.09,5.7L8.04,9.81C7.5,9.31 6.79,9 6,9A3,3 0 0,0 3,12A3,3 0 0,0 6,15C6.79,15 7.5,14.69 8.04,14.19L15.16,18.34C15.11,18.55 15.08,18.77 15.08,19C15.08,20.61 16.39,21.91 18,21.91C19.61,21.91 20.92,20.61 20.92,19A2.92,2.92 0 0,0 18,16.08Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports,gi={name:"ViewGridIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},hi=(0,On.Z)(gi,(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,"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 Ai=s(48250);const wi=new lt.p$({id:"details",displayName:()=>(0,In.Iu)("files","Open details"),iconSvgInline:()=>Ai,enabled:t=>1===t.length&&!!t[0]&&!!window?.OCA?.Files?.Sidebar&&((t[0].root?.startsWith("/files/")&&t[0].permissions!==lt.y3.NONE)??!1),async exec(t,e,n){try{return await window.OCA.Files.Sidebar.open(t.path),window.OCP.Files.Router.goToRoute(null,{view:e.id,fileid:t.fileid},{dir:n},!0),null}catch(t){return $n.error("Error while opening sidebar",{error:t}),!1}},order:-50}),yi=function(){const t=ot("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):($n.error("Trying to update/set a node without fileid",e),t)),{});r.default.set(this,"files",{...this.files,...e})},deleteNodes(t){t.forEach((t=>{t.fileid&&r.default.delete(this.files,t.fileid)}))},setRoot(t){let{service:e,root:n}=t;r.default.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,Nn.Ld)("files:node:created",t.onCreatedNode),(0,Nn.Ld)("files:node:deleted",t.onDeletedNode),(0,Nn.Ld)("files:node:updated",t.onUpdatedNode),t._initialized=!0),t},vi=function(){const t=yi(),e=ot("paths",{state:()=>({paths:{}}),getters:{getPath:t=>(e,n)=>{if(t.paths[e])return t.paths[e][n]}},actions:{addPath(t){this.paths[t.service]||r.default.set(this.paths,t.service,{}),r.default.set(this.paths[t.service],t.path,t.fileid)},onCreatedNode(e){const n=(0,lt.Ti)()?.active?.id||"files";if(e.fileid){if(e.type===lt.Tv.Folder&&this.addPath({service:n,path:e.path,fileid:e.fileid}),"/"===e.dirname){const s=t.getRoot(n);return s._children||r.default.set(s,"_children",[]),void s._children.push(e.fileid)}if(this.paths[n][e.dirname]){const s=this.paths[n][e.dirname],i=t.getNode(s);return $n.debug("Path already exists, updating children",{parentFolder:i,node:e}),i?(i._children||r.default.set(i,"_children",[]),void i._children.push(e.fileid)):void $n.error("Parent folder not found",{parentId:s})}$n.debug("Parent path does not exists, skipping children update",{node:e})}else $n.error("Node has no fileid",{node:e})}}})(...arguments);return e._initialized||((0,Nn.Ld)("files:node:created",e.onCreatedNode),e._initialized=!0),e},bi=ot("selection",{state:()=>({selected:[],lastSelection:[],lastSelectedIndex:null}),actions:{set(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];r.default.set(this,"selected",[...new Set(t)])},setLastIndex(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:null;r.default.set(this,"lastSelection",t?this.selected:[]),r.default.set(this,"lastSelectedIndex",t)},reset(){r.default.set(this,"selected",[]),r.default.set(this,"lastSelection",[]),r.default.set(this,"lastSelectedIndex",null)}}});let Ci;const xi={name:"HomeIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},_i=(0,On.Z)(xi,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon home-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 24 24"}},[e("path",{attrs:{d:"M10,20V14H14V20H19V12H22L12,3L2,12H5V20H10Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports;var Ti=s(6773),Ei=s(19148);const ki=(0,r.defineComponent)({name:"BreadCrumbs",components:{Home:_i,NcBreadcrumbs:Ei.N,NcBreadcrumb:Ti.N},props:{path:{type:String,default:"/"}},setup:()=>({filesStore:yi(),pathsStore:vi()}),computed:{currentView(){return this.$navigation.active},dirs(){var t;return["/",...this.path.split("/").filter(Boolean).map((t="/",e=>t+=`${e}/`)).map((t=>t.replace(/^(.+)\/$/,"$1")))]},sections(){return this.dirs.map((t=>{const e=this.getFileIdFromPath(t),n={...this.$route,params:{fileid:e},query:{dir:t}};return{dir:t,exact:!0,name:this.getDirDisplayName(t),to:n}}))}},methods:{getNodeFromId(t){return this.filesStore.getNode(t)},getFileIdFromPath(t){return this.pathsStore.getPath(this.currentView?.id,t)},getDirDisplayName(t){if("/"===t)return(0,In.Iu)("files","Home");const e=this.getFileIdFromPath(t),n=e?this.getNodeFromId(e):void 0;return n?.attributes?.displayName||(0,Is.basename)(t)},onClick(t){t?.query?.dir===this.$route.query.dir&&this.$emit("reload")},titleForSection(t,e){return e?.to?.query?.dir===this.$route.query.dir?(0,In.Iu)("files","Reload current directory"):0===t?(0,In.Iu)("files",'Go to the "{dir}" directory',e):null},ariaForSection(t){return t?.to?.query?.dir===this.$route.query.dir?(0,In.Iu)("files","Reload current directory"):null},t:In.Iu}});var Si=s(60393),Li={};Li.styleTagTransform=ls(),Li.setAttributes=is(),Li.insert=ns().bind(null,"head"),Li.domAPI=ts(),Li.insertStyleElement=as(),Qn()(Si.Z,Li),Si.Z&&Si.Z.locals&&Si.Z.locals;const Ni=(0,On.Z)(ki,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("NcBreadcrumbs",{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,title:t.titleForSection(s,n),"aria-description":t.ariaForSection(n)},nativeOn:{click:function(e){return t.onClick(n.to)}},scopedSlots:t._u([0===s?{key:"icon",fn:function(){return[e("Home",{attrs:{size:20}})]},proxy:!0}:null],null,!0)},"NcBreadcrumb",n,!1))})),1)}),[],!1,null,"1c4866bc",null).exports,Ii=t=>{const e=t.filter((t=>t.type===lt.Tv.File)).length,n=t.filter((t=>t.type===lt.Tv.Folder)).length;return 0===e?(0,In.uN)("files","{folderCount} folder","{folderCount} folders",n,{folderCount:n}):0===n?(0,In.uN)("files","{fileCount} file","{fileCount} files",e,{fileCount:e}):1===e?(0,In.uN)("files","1 file and {folderCount} folder","1 file and {folderCount} folders",n,{folderCount:n}):1===n?(0,In.uN)("files","{fileCount} file and 1 folder","{fileCount} files and 1 folder",e,{fileCount:e}):(0,In.Iu)("files","{fileCount} files and {folderCount} folders",{fileCount:e,folderCount:n})};var Fi=s(52925),Pi=s(80351),Oi=s.n(Pi);const Bi={name:"FileMultipleIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Di=(0,On.Z)(Bi,(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,"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;var ji=s(81456),Ui=s(65720);const Ri=(0,On.Z)(Ui.Z,ji.s,ji.x,!1,null,null,null).exports,zi=r.default.extend({name:"DragAndDropPreview",components:{FileMultipleIcon:Di,FolderIcon:Ri},data:()=>({nodes:[]}),computed:{isSingleNode(){return 1===this.nodes.length},isSingleFolder(){return this.isSingleNode&&this.nodes[0].type===lt.Tv.Folder},name(){return this.size?`${this.summary} – ${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,lt.sS)(e,!0)},summary(){if(this.isSingleNode){const t=this.nodes[0];return t.attributes?.displayName||t.basename}return Ii(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="${t.fileid}"] .files-list__row-icon img`);e&&this.$refs.previewImg.appendChild(e.parentNode.cloneNode(!0))})),this.$nextTick((()=>{this.$emit("loaded",this.$el)}))}}}),Mi=zi;var Vi=s(50262),$i={};$i.styleTagTransform=ls(),$i.setAttributes=is(),$i.insert=ns().bind(null,"head"),$i.domAPI=ts(),$i.insertStyleElement=as(),Qn()(Vi.Z,$i),Vi.Z&&Vi.Z.locals&&Vi.Z.locals;const qi=(0,On.Z)(Mi,(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,Hi=r.default.extend(qi);let Gi;const Zi=async t=>new Promise((e=>{Gi||(Gi=(new Hi).$mount(),document.body.appendChild(Gi.$el)),Gi.update(t),Gi.$on("loaded",(()=>{e(Gi.$el),Gi.$off("loaded")}))}));var Yi=s(51473),Wi={};Wi.styleTagTransform=ls(),Wi.setAttributes=is(),Wi.insert=ns().bind(null,"head"),Wi.domAPI=ts(),Wi.insertStyleElement=as(),Qn()(Yi.Z,Wi),Yi.Z&&Yi.Z.locals&&Yi.Z.locals;var Ki=s(51120);const{Axios:Ji,AxiosError:Qi,CanceledError:Xi,isCancel:tr,CancelToken:er,VERSION:nr,all:sr,Cancel:ir,isAxiosError:rr,spread:ar,toFormData:or,AxiosHeaders:lr,HttpStatusCode:cr,formToJSON:ur,getAdapter:dr,mergeConfig:mr}=Ki.default;var pr=s(59546),fr=s(96384),gr=s(59440);let hr;const Ar=()=>(hr||(hr=new gr.Z({concurrency:3})),hr);var wr;!function(t){t.MOVE="Move",t.COPY="Copy",t.MOVE_OR_COPY="move-or-copy"}(wr||(wr={}));const yr=t=>0!=(t.reduce(((t,e)=>Math.min(t,e.permissions)),lt.y3.ALL)<.y3.UPDATE),vr=t=>(t=>t.every((t=>!JSON.parse(t.attributes?.["share-attributes"]??"[]").some((t=>"permissions"===t.scope&&!1===t.enabled&&"download"===t.key)))))(t),br=t=>yr(t)?vr(t)?wr.MOVE_OR_COPY:wr.MOVE:wr.COPY,Cr=async function(t,e,n){let s=arguments.length>3&&void 0!==arguments[3]&&arguments[3];if(!e)return;if(e.type!==lt.Tv.Folder)throw new Error((0,In.Iu)("files","Destination is not a folder"));if(n===wr.MOVE&&t.dirname===e.path)throw new Error((0,In.Iu)("files","This file/folder is already in that directory"));if(`${e.path}/`.startsWith(`${t.path}/`))throw new Error((0,In.Iu)("files","You cannot move a file/folder onto itself or into a subfolder of itself"));r.default.set(t,"status",lt.e4.LOADING);const i=Ar();return await i.add((async()=>{const i=t=>1===t?(0,In.Iu)("files","(copy)"):(0,In.Iu)("files","(copy %n)",void 0,t);try{const r=(0,lt.rp)(),a=(0,Is.join)(lt._o,t.path),o=(0,Is.join)(lt._o,e.path);if(n===wr.COPY){let n=t.basename;if(!s){const e=await r.getDirectoryContents(o);n=function(t,e){let n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:t=>`(${t})`,s=t,i=1;for(;e.includes(s);){const e=(0,Is.extname)(t);s=`${(0,Is.basename)(t,e)} ${n(i++)}${e}`}return s}(t.basename,e.map((t=>t.basename)),i)}if(await r.copyFile(a,(0,Is.join)(o,n)),t.dirname===e.path){const{data:t}=await r.stat((0,Is.join)(o,n),{details:!0,data:(0,lt.h7)()});(0,Nn.j8)("files:node:created",(0,lt.RL)(t))}}else await r.moveFile(a,(0,Is.join)(o,t.basename)),(0,Nn.j8)("files:node:deleted",t)}catch(t){if(t instanceof Qi){if(412===t?.response?.status)throw new Error((0,In.Iu)("files","A file or folder with that name already exists in this folder"));if(423===t?.response?.status)throw new Error((0,In.Iu)("files","The files is locked"));if(404===t?.response?.status)throw new Error((0,In.Iu)("files","The file does not exist anymore"));if(t.message)throw new Error(t.message)}throw $n.debug(t),new Error}finally{r.default.set(t,"status",void 0)}}))},xr=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,Hn.fn)((0,In.Iu)("files","Choose destination")).allowDirectories(!0).setFilter((t=>0!=(t.permissions<.y3.CREATE)&&!s.includes(t.fileid))).setMimeTypeFilter([]).setMultiSelect(!1).startAt(e);return new Promise(((e,s)=>{i.setButtonFactory(((s,i)=>{const r=[],a=(0,Is.basename)(i),o=n.map((t=>t.dirname)),l=n.map((t=>t.path));return t!==wr.COPY&&t!==wr.MOVE_OR_COPY||r.push({label:a?(0,In.Iu)("files","Copy to {target}",{target:a}):(0,In.Iu)("files","Copy"),type:"primary",icon:pr,async callback(t){e({destination:t[0],action:wr.COPY})}}),o.includes(i)||l.includes(i)||t!==wr.MOVE&&t!==wr.MOVE_OR_COPY||r.push({label:a?(0,In.Iu)("files","Move to {target}",{target:a}):(0,In.Iu)("files","Move"),type:t===wr.MOVE?"primary":"secondary",icon:fr,async callback(t){e({destination:t[0],action:wr.MOVE})}}),r})),i.build().pick().catch((t=>{$n.debug(t),s(new Error((0,In.Iu)("files","Cancelled move or copy operation")))}))}))},_r=(new lt.p$({id:"move-copy",displayName(t){switch(br(t)){case wr.MOVE:return(0,In.Iu)("files","Move");case wr.COPY:return(0,In.Iu)("files","Copy");case wr.MOVE_OR_COPY:return(0,In.Iu)("files","Move or copy")}},iconSvgInline:()=>fr,enabled:t=>!!t.every((t=>t.root?.startsWith("/files/")))&&t.length>0&&(yr(t)||vr(t)),async exec(t,e,n){const s=br([t]);let i;try{i=await xr(s,n,[t])}catch(t){return $n.error(t),!1}try{return await Cr(t,i.destination,i.action),!0}catch(t){return!!(t instanceof Error&&t.message)&&((0,Hn.x2)(t.message),null)}},async execBatch(t,e,n){const s=br(t),i=await xr(s,n,t),r=t.map((async t=>{try{return await Cr(t,i.destination,i.action),!0}catch(e){return $n.error(`Failed to ${i.action} node`,{node:t,error:e}),!1}}));return await Promise.all(r)},order:15}),function(t){return t.split("").reduce((function(t,e){return(t=(t<<5)-t+e.charCodeAt(0))&t}),0)}),Tr=ot("actionsmenu",{state:()=>({opened:null})}),Er=ot("dragging",{state:()=>({dragging:[]}),actions:{set(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];r.default.set(this,"dragging",t)},reset(){r.default.set(this,"dragging",[])}}}),kr=function(){const t=ot("renaming",{state:()=>({renamingNode:void 0,newName:""})})(...arguments);return t._initialized||((0,Nn.Ld)("files:node:rename",(function(e){t.renamingNode=e,t.newName=e.basename})),t._initialized=!0),t};var Sr=s(97947);const Lr={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()}}},Nr=(0,On.Z)(Lr,(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}}},Fr=(0,On.Z)(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,"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,Pr={name:"ChevronRightIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Or=(0,On.Z)(Pr,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon chevron-right-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 24 24"}},[e("path",{attrs:{d:"M8.59,16.58L13.17,12L8.59,7.41L10,6L16,12L10,18L8.59,16.58Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports;var Br=s(23928),Dr=s(61057),jr=s(81243);const Ur=(0,lt.Vn)(),Rr=r.default.extend({name:"FileEntryActions",components:{ArrowLeftIcon:Fr,ChevronRightIcon:Or,CustomElementRender:Nr,NcActionButton:Br.Z,NcActions:Dr.Z,NcActionSeparator:jr.Z,NcIconSvgWrapper:Un.Z,NcLoadingIcon:di.Z},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(){return(this.$route?.query?.dir?.toString()||"/").replace(/^(.+)\/$/,"$1")},currentView(){return this.$navigation.active},isLoading(){return this.source.status===lt.e4.LOADING},enabledActions(){return this.source.attributes.failed?[]:Ur.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=>t?.inline?.(this.source,this.currentView)))},enabledRenderActions(){return this.gridMode?[]:this.enabledActions.filter((t=>"function"==typeof t.renderInline))},enabledDefaultActions(){return this.enabledActions.filter((t=>!!t?.default))},enabledMenuActions(){if(this.openedSubmenu)return this.enabledInlineActions;const t=[...this.enabledInlineActions,...this.enabledActions.filter((t=>t.default!==lt.DT.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.enabledSubmenuActions[t.id])return void(this.openedSubmenu=t);const n=t.displayName([this.source],this.currentView);try{this.$emit("update:loading",t.id),r.default.set(this.source,"status",lt.e4.LOADING);const e=await t.exec(this.source,this.currentView,this.currentDir);if(null==e)return;if(e)return void(0,Hn.s$)((0,In.Iu)("files",'"{displayName}" action executed successfully',{displayName:n}));(0,Hn.x2)((0,In.Iu)("files",'"{displayName}" action failed',{displayName:n}))}catch(e){$n.error("Error while executing action",{action:t,e}),(0,Hn.x2)((0,In.Iu)("files",'"{displayName}" action failed',{displayName:n}))}finally{this.$emit("update:loading",""),r.default.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){return this.enabledSubmenuActions[t]?.length>0},t:In.Iu}}),zr=Rr;var Mr=s(15604),Vr={};Vr.styleTagTransform=ls(),Vr.setAttributes=is(),Vr.insert=ns().bind(null,"head"),Vr.domAPI=ts(),Vr.insertStyleElement=as(),Qn()(Mr.Z,Vr),Mr.Z&&Mr.Z.locals&&Mr.Z.locals;var $r=s(61707),qr={};qr.styleTagTransform=ls(),qr.setAttributes=is(),qr.insert=ns().bind(null,"head"),qr.domAPI=ts(),qr.insertStyleElement=as(),Qn()($r.Z,qr),$r.Z&&$r.Z.locals&&$r.Z.locals;var Hr=(0,On.Z)(zr,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("td",{staticClass:"files-list__row-actions",attrs:{"data-cy-files-list-row-actions":""}},[t._l(t.enabledRenderActions,(function(n){return e("CustomElementRender",{key:n.id,staticClass:"files-list__row-action--inline",class:"files-list__row-action-"+n.id,attrs:{"current-view":t.currentView,render:n.renderInline,source:t.source}})})),t._v(" "),e("NcActions",{ref:"actionsMenu",attrs:{"boundaries-element":t.getBoundariesElement,container:t.getBoundariesElement,disabled:t.isLoading||""!==t.loading,"force-name":!0,type:"tertiary","force-menu":0===t.enabledInlineActions.length,inline:t.enabledInlineActions.length,open:t.openedMenu},on:{"update:open":function(e){t.openedMenu=e},close:function(e){t.openedSubmenu=null}}},[t._l(t.enabledMenuActions,(function(n){return e("NcActionButton",{key:n.id,class:{[`files-list__row-action-${n.id}`]:!0,"files-list__row-action--menu":t.isMenu(n.id)},attrs:{"close-after-click":!t.isMenu(n.id),"data-cy-files-list-row-action":n.id,"is-menu":t.isMenu(n.id),title:n.title?.([t.source],t.currentView)},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.source],t.currentView)}})]},proxy:!0}],null,!0)},[t._v("\n\t\t\t"+t._s("shared"===t.mountType&&"sharing-status"===n.id?"":t.actionDisplayName(n))+"\n\t\t")])})),t._v(" "),t.openedSubmenu&&t.enabledSubmenuActions[t.openedSubmenu?.id]?[e("NcActionButton",{staticClass:"files-list__row-action-back",on:{click:function(e){t.openedSubmenu=null}},scopedSlots:t._u([{key:"icon",fn:function(){return[e("ArrowLeftIcon")]},proxy:!0}],null,!1,3001860362)},[t._v("\n\t\t\t\t"+t._s(t.actionDisplayName(t.openedSubmenu))+"\n\t\t\t")]),t._v(" "),e("NcActionSeparator"),t._v(" "),t._l(t.enabledSubmenuActions[t.openedSubmenu?.id],(function(n){return e("NcActionButton",{key:n.id,staticClass:"files-list__row-action--submenu",class:`files-list__row-action-${n.id}`,attrs:{"close-after-click":!1,"data-cy-files-list-row-action":n.id,title:n.title?.([t.source],t.currentView)},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.source],t.currentView)}})]},proxy:!0}],null,!0)},[t._v("\n\t\t\t\t"+t._s(t.actionDisplayName(n))+"\n\t\t\t")])}))]:t._e()],2)],2)}),[],!1,null,"3daa457a",null);const Gr=Hr.exports,Zr=r.default.extend({name:"FileEntryCheckbox",components:{NcCheckboxRadioSwitch:fs.Z,NcLoadingIcon:di.Z},props:{fileid:{type:String,required:!0},isLoading:{type:Boolean,default:!1},nodes:{type:Array,required:!0},source:{type:Object,required:!0}},setup(){const t=bi(),e=function(){const t=ot("keyboard",{state:()=>({altKey:!1,ctrlKey:!1,metaKey:!1,shiftKey:!1}),actions:{onEvent(t){t||(t=window.event),r.default.set(this,"altKey",!!t.altKey),r.default.set(this,"ctrlKey",!!t.ctrlKey),r.default.set(this,"metaKey",!!t.metaKey),r.default.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===parseInt(this.fileid)))},isFile(){return this.source.type===lt.Tv.File},ariaLabel(){return this.isFile?(0,In.Iu)("files",'Toggle selection for file "{displayName}"',{displayName:this.source.basename}):(0,In.Iu)("files",'Toggle selection for folder "{displayName}"',{displayName:this.source.basename})}},methods:{onSelectionChange(t){const e=this.index,n=this.selectionStore.lastSelectedIndex;if(this.keyboardStore?.shiftKey&&null!==n){const t=this.selectedFiles.includes(this.fileid),s=Math.min(e,n),i=Math.max(n,e),r=this.selectionStore.lastSelection,a=this.nodes.map((t=>t.fileid?.toString?.())).slice(s,i+1),o=[...r,...a].filter((e=>!t||e!==this.fileid));return $n.debug("Shift key pressed, selecting all files in between",{start:s,end:i,filesToSelect:a,isAlreadySelected:t}),void this.selectionStore.set(o)}const s=t?[...this.selectedFiles,this.fileid]:this.selectedFiles.filter((t=>t!==this.fileid));$n.debug("Updating selection",{selection:s}),this.selectionStore.set(s),this.selectionStore.setLastIndex(e)},resetSelection(){this.selectionStore.reset()},t:In.Iu}}),Yr=(0,On.Z)(Zr,(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 Wr=s(49368);const Kr=(0,Rn.j)("files","forbiddenCharacters",""),Jr=r.default.extend({name:"FileEntryName",components:{NcTextField:Wr.Z},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:kr()}),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{[lt.Tv.File]:(0,In.Iu)("files","File name"),[lt.Tv.Folder]:(0,In.Iu)("files","Folder name")}[this.source.type]},linkTo(){if(this.source.attributes.failed)return{is:"span",params:{title:(0,In.Iu)("files","This node is unavailable")}};const t=this.$parent?.$refs?.actions?.enabledDefaultActions;return t?.length>0?{is:"a",params:{title:t[0].displayName([this.source],this.currentView),role:"button",tabindex:"0"}}:this.source?.permissions<.y3.READ?{is:"a",params:{download:this.source.basename,href:this.source.source,title:(0,In.Iu)("files","Download file {name}",{name:this.displayName}),tabindex:"0"}}:{is:"span"}}},watch:{isRenaming:{immediate:!0,handler(t){t&&this.startRenaming()}}},methods:{checkInputValidity(t){const e=t.target,n=this.newName.trim?.()||"";$n.debug("Checking input validity",{newName:n});try{this.isFileNameValid(n),e.setCustomValidity(""),e.title=""}catch(t){e.setCustomValidity(t.message),e.title=t.message}finally{e.reportValidity()}},isFileNameValid(t){const e=t.trim();if("."===e||".."===e)throw new Error((0,In.Iu)("files",'"{name}" is an invalid file name.',{name:t}));if(0===e.length)throw new Error((0,In.Iu)("files","File name cannot be empty."));if(-1!==e.indexOf("/"))throw new Error((0,In.Iu)("files",'"/" is not allowed inside a file name.'));if(e.match(OC.config.blacklist_files_regex))throw new Error((0,In.Iu)("files",'"{name}" is not an allowed filetype.',{name:t}));if(this.checkIfNodeExists(t))throw new Error((0,In.Iu)("files","{newName} already exists.",{newName:t}));return e.split("").forEach((t=>{if(-1!==Kr.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((()=>{const t=(this.source.extension||"").split("").length,e=this.source.basename.split("").length-t,n=this.$refs.renameInput?.$refs?.inputField?.$refs?.input;n?(n.setSelectionRange(0,e),n.focus(),n.dispatchEvent(new Event("keyup"))):$n.error("Could not find the rename input")}))},stopRenaming(){this.isRenaming&&this.renamingStore.$reset()},async onRename(){const t=this.source.basename,e=this.source.encodedSource,n=this.newName.trim?.()||"";if(""!==n)if(t!==n)if(this.checkIfNodeExists(n))(0,Hn.x2)((0,In.Iu)("files","Another entry with the same name already exists"));else{this.loading="renaming",r.default.set(this.source,"status",lt.e4.LOADING),this.source.rename(n),$n.debug("Moving file to",{destination:this.source.encodedSource,oldEncodedSource:e});try{await(0,zn.Z)({method:"MOVE",url:e,headers:{Destination:this.source.encodedSource,Overwrite:"F"}}),(0,Nn.j8)("files:node:updated",this.source),(0,Nn.j8)("files:node:renamed",this.source),(0,Hn.s$)((0,In.Iu)("files",'Renamed "{oldName}" to "{newName}"',{oldName:t,newName:n})),this.stopRenaming(),this.$nextTick((()=>{this.$refs.basename.focus()}))}catch(e){if($n.error("Error while renaming file",{error:e}),this.source.rename(t),this.$refs.renameInput.focus(),404===e?.response?.status)return void(0,Hn.x2)((0,In.Iu)("files",'Could not rename "{oldName}", it does not exist any more',{oldName:t}));if(412===e?.response?.status)return void(0,Hn.x2)((0,In.Iu)("files",'The name "{newName}" is already used in the folder "{dir}". Please choose a different name.',{newName:n,dir:this.currentDir}));(0,Hn.x2)((0,In.Iu)("files",'Could not rename "{oldName}"',{oldName:t}))}finally{this.loading=!1,r.default.set(this.source,"status",void 0)}}else this.stopRenaming();else(0,Hn.x2)((0,In.Iu)("files","Name cannot be empty"))},t:In.Iu}}),Qr=(0,On.Z)(Jr,(function(){var t=this,e=t._self._c;return t._self._setupProxy,t.isRenaming?e("form",{directives:[{name:"on-click-outside",rawName:"v-on-click-outside",value:t.stopRenaming,expression:"stopRenaming"}],staticClass:"files-list__row-rename",attrs:{"aria-label":t.t("files","Rename file")},on:{submit:function(e){return e.preventDefault(),e.stopPropagation(),t.onRename.apply(null,arguments)}}},[e("NcTextField",{ref:"renameInput",attrs:{label:t.renameLabel,autofocus:!0,minlength:1,required:!0,value:t.newName,enterkeyhint:"done"},on:{"update:value":function(e){t.newName=e},keyup:[t.checkInputValidity,function(e){return!e.type.indexOf("key")&&t._k(e.keyCode,"esc",27,e.key,["Esc","Escape"])?null:t.stopRenaming.apply(null,arguments)}]}})],1):e(t.linkTo.is,t._b({ref:"basename",tag:"component",staticClass:"files-list__row-name-link",attrs:{"aria-hidden":t.isRenaming,"data-cy-files-list-row-name-link":""},on:{click:function(e){return t.$emit("click",e)}}},"component",t.linkTo.params,!1),[e("span",{staticClass:"files-list__row-name-text"},[e("span",{staticClass:"files-list__row-name-",domProps:{textContent:t._s(t.displayName)}}),t._v(" "),e("span",{staticClass:"files-list__row-name-ext",domProps:{textContent:t._s(t.extension)}})])])}),[],!1,null,null,null).exports;var Xr=s(60186);const ta={name:"AccountPlusIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},ea=(0,On.Z)(ta,(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,"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,na={name:"FileIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},sa=(0,On.Z)(na,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon file-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 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,ia={name:"FolderOpenIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},ra=(0,On.Z)(ia,(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,"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,aa={name:"KeyIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},oa=(0,On.Z)(aa,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon key-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 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,la={name:"NetworkIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},ca=(0,On.Z)(la,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon network-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 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,ua={name:"TagIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},da=(0,On.Z)(ua,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon tag-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 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,ma={name:"PlayCircleIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},pa=(0,On.Z)(ma,(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,"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,fa={name:"CollectivesIcon",props:{title:{type:String,default:""},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},ga=(0,On.Z)(fa,(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,ha=(0,r.defineComponent)({name:"FavoriteIcon",components:{NcIconSvgWrapper:Un.Z},data:()=>({StarSvg:''}),async mounted(){await this.$nextTick();const t=this.$el.querySelector("svg");t?.setAttribute?.("viewBox","-4 -4 30 30")},methods:{t:In.Iu}});var Aa=s(29785),wa={};wa.styleTagTransform=ls(),wa.setAttributes=is(),wa.insert=ns().bind(null,"head"),wa.domAPI=ts(),wa.insertStyleElement=as(),Qn()(Aa.Z,wa),Aa.Z&&Aa.Z.locals&&Aa.Z.locals;const ya=(0,On.Z)(ha,(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,"77afa6dc",null).exports,va=r.default.extend({name:"FileEntryPreview",components:{AccountGroupIcon:Xr.Z,AccountPlusIcon:ea,CollectivesIcon:ga,FavoriteIcon:ya,FileIcon:sa,FolderIcon:Ri,FolderOpenIcon:ra,KeyIcon:oa,LinkIcon:ri.Z,NetworkIcon:ca,TagIcon:da},props:{source:{type:Object,required:!0},dragover:{type:Boolean,default:!1},gridMode:{type:Boolean,default:!1}},setup:()=>({userConfigStore:bs()}),data:()=>({backgroundFailed:void 0}),computed:{fileid(){return this.source?.fileid?.toString?.()},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===lt.Tv.Folder)return null;if(!0===this.backgroundFailed)return null;try{const t=this.source.attributes.previewUrl||(0,ut.generateUrl)("/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"]?pa:null},folderOverlay(){if(this.source.type!==lt.Tv.Folder)return null;if(1===this.source?.attributes?.["is-encrypted"])return oa;if(this.source?.attributes?.["is-tag"])return da;const t=Object.values(this.source?.attributes?.["share-types"]||{}).flat();if(t.some((t=>t===si.D.SHARE_TYPE_LINK||t===si.D.SHARE_TYPE_EMAIL)))return ri.Z;if(t.length>0)return ea;switch(this.source?.attributes?.["mount-type"]){case"external":case"external-session":return ca;case"group":return Xr.Z;case"collective":return ga}return null}},methods:{reset(){!0===this.backgroundFailed&&this.$refs.previewImg&&(this.$refs.previewImg.src=""),this.backgroundFailed=void 0},t:In.Iu}}),ba=(0,On.Z)(va,(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:function(e){t.backgroundFailed=!0},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;r.default.directive("onClickOutside",Fi.hs);const Ca=(0,r.defineComponent)({name:"FileEntry",components:{CustomElementRender:Nr,FileEntryActions:Gr,FileEntryCheckbox:Yr,FileEntryName:Qr,FileEntryPreview:ba,NcDateTime:Sr.Z},props:{isMtimeAvailable:{type:Boolean,default:!1},isSizeAvailable:{type:Boolean,default:!1},source:{type:[lt.gt,lt.$B,lt.NB],required:!0},nodes:{type:Array,required:!0},filesListWidth:{type:Number,default:0},compact:{type:Boolean,default:!1}},setup:()=>({actionsMenuStore:Tr(),draggingStore:Er(),filesStore:yi(),renamingStore:kr(),selectionStore:bi()}),data:()=>({loading:"",dragover:!1}),computed:{rowListeners(){return{...this.isRenaming?{}:{dragstart:this.onDragStart,dragover:this.onDragOver},contextmenu:this.onRightClick,dragleave:this.onDragLeave,dragend:this.onDragEnd,drop:this.onDrop}},currentView(){return this.$navigation.active},columns(){return this.filesListWidth<512||this.compact?[]:this.currentView?.columns||[]},currentDir(){return(this.$route?.query?.dir?.toString()||"/").replace(/^(.+)\/$/,"$1")},currentFileId(){return this.$route.params?.fileid||this.$route.query?.fileid||null},fileid(){return this.source?.fileid?.toString?.()},uniqueId(){return _r(this.source.source)},isLoading(){return this.source.status===lt.e4.LOADING},extension(){return this.source.attributes?.displayName?(0,Is.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},size(){const t=parseInt(this.source.size,10)||0;return"number"!=typeof t||t<0?(0,In.Iu)("files","Pending"):(0,lt.sS)(t,!0)},sizeOpacity(){const t=parseInt(this.source.size,10)||0;return!t||t<0?{}:{color:`color-mix(in srgb, var(--color-main-text) ${Math.round(Math.min(100,100*Math.pow(this.source.size/10485760,2)))}%, var(--color-text-maxcontrast))`}},mtimeOpacity(){const t=26784e5,e=this.source.mtime?.getTime?.();if(!e)return{};const n=Math.round(Math.min(100,100*(t-(Date.now()-e))/t));return n<0?{}:{color:`color-mix(in srgb, var(--color-main-text) ${n}%, var(--color-text-maxcontrast))`}},mtimeTitle(){return this.source.mtime?Oi()(this.source.mtime).format("LLL"):""},draggingFiles(){return this.draggingStore.dragging},selectedFiles(){return this.selectionStore.selected},isSelected(){return this.selectedFiles.includes(this.fileid)},isRenaming(){return this.renamingStore.renamingNode===this.source},isRenamingSmallScreen(){return this.isRenaming&&this.filesListWidth<512},isActive(){return this.fileid===this.currentFileId?.toString?.()},canDrag(){if(this.isRenaming)return!1;const t=t=>0!=(t?.permissions<.y3.UPDATE);return this.selectedFiles.length>0?this.selectedFiles.map((t=>this.filesStore.getNode(t))).every(t):t(this.source)},canDrop(){return this.source.type===lt.Tv.Folder&&!this.draggingFiles.includes(this.fileid)&&0!=(this.source.permissions<.y3.CREATE)},openedMenu:{get(){return this.actionsMenuStore.opened===this.uniqueId},set(t){if(t){const t=this.$root.$el;t.style.removeProperty("--mouse-pos-x"),t.style.removeProperty("--mouse-pos-y")}this.actionsMenuStore.opened=t?this.uniqueId:null}}},watch:{source(){this.resetState()}},beforeDestroy(){this.resetState()},methods:{resetState(){this.loading="",this.$refs.preview.reset(),this.openedMenu=!1},onRightClick(t){if(this.openedMenu)return;const e=this.$root.$el,n=e.getBoundingClientRect();e.style.setProperty("--mouse-pos-x",Math.max(n.left,Math.min(t.clientX,t.clientX-200))+"px"),e.style.setProperty("--mouse-pos-y",Math.max(n.top,t.clientY-n.top)+"px");const s=this.selectedFiles.length>1;this.actionsMenuStore.opened=this.isSelected&&s?"global":this.uniqueId,t.preventDefault(),t.stopPropagation()},execDefaultAction(t){if(t.ctrlKey||t.metaKey)return t.preventDefault(),window.open((0,ut.generateUrl)("/f/{fileId}",{fileId:this.fileid})),!1;this.$refs.actions.execDefaultAction(t)},openDetailsIfAvailable(t){t.preventDefault(),t.stopPropagation(),wi?.enabled?.([this.source],this.currentView)&&wi.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;e?.contains(t.relatedTarget)||(this.dragover=!1)},async onDragStart(t){if(t.stopPropagation(),!this.canDrag)return t.preventDefault(),void t.stopPropagation();$n.debug("Drag started",{event:t}),t.dataTransfer?.clearData?.(),this.renamingStore.$reset(),this.selectedFiles.includes(this.fileid)?this.draggingStore.set(this.selectedFiles):this.draggingStore.set([this.fileid]);const e=this.draggingStore.dragging.map((t=>this.filesStore.getNode(t))),n=await Zi(e);t.dataTransfer?.setDragImage(n,-10,-10)},onDragEnd(){this.draggingStore.reset(),this.dragover=!1,$n.debug("Drag ended")},async onDrop(t){if(!this.draggingFiles&&!t.dataTransfer?.files?.length)return;if(t.preventDefault(),t.stopPropagation(),!this.canDrop||0!==t.button)return;const e=t.ctrlKey;if(this.dragover=!1,$n.debug("Dropped",{event:t,selection:this.draggingFiles}),t.dataTransfer?.files?.length>0){const e=(0,ii.g)();return t.dataTransfer.files.forEach((t=>{e.upload((0,Is.join)(this.source.path,t.name),t)})),void $n.debug(`Uploading files to ${this.source.path}`)}this.draggingFiles.map((t=>this.filesStore.getNode(t))).forEach((async t=>{r.default.set(t,"status",lt.e4.LOADING);try{await Cr(t,this.source,e?wr.COPY:wr.MOVE)}catch(n){$n.error("Error while moving file",{error:n}),e?(0,Hn.x2)((0,In.Iu)("files","Could not copy {file}. {message}",{file:t.basename,message:n.message||""})):(0,Hn.x2)((0,In.Iu)("files","Could not move {file}. {message}",{file:t.basename,message:n.message||""}))}finally{r.default.set(t,"status",void 0)}})),this.draggingFiles.some((t=>this.selectedFiles.includes(t)))&&($n.debug("Dropped selection, resetting select store..."),this.selectionStore.reset())},t:In.Iu,formatFileSize:lt.sS}}),xa=Ca,_a=(0,On.Z)(xa,(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},attrs:{"data-cy-files-list-row":"","data-cy-files-list-row-fileid":t.fileid,"data-cy-files-list-row-name":t.source.basename,draggable:t.canDrag}},t.rowListeners),[t.source.attributes.failed?e("span",{staticClass:"files-list__row--failed"}):t._e(),t._v(" "),e("FileEntryCheckbox",{attrs:{fileid:t.fileid,"is-loading":t.isLoading,nodes:t.nodes,source:t.source}}),t._v(" "),e("td",{staticClass:"files-list__row-name",attrs:{"data-cy-files-list-row-name":""}},[e("FileEntryPreview",{ref:"preview",attrs:{source:t.source,dragover:t.dragover},nativeOn:{click:function(e){return t.execDefaultAction.apply(null,arguments)}}}),t._v(" "),e("FileEntryName",{ref:"name",attrs:{"display-name":t.displayName,extension:t.extension,"files-list-width":t.filesListWidth,nodes:t.nodes,source:t.source},on:{click:t.execDefaultAction}})],1),t._v(" "),e("FileEntryActions",{directives:[{name:"show",rawName:"v-show",value:!t.isRenamingSmallScreen,expression:"!isRenamingSmallScreen"}],ref:"actions",class:`files-list__row-actions-${t.uniqueId}`,attrs:{"files-list-width":t.filesListWidth,loading:t.loading,opened:t.openedMenu,source:t.source},on:{"update:loading":function(e){t.loading=e},"update:opened":function(e){t.openedMenu=e}}}),t._v(" "),!t.compact&&t.isSizeAvailable?e("td",{staticClass:"files-list__row-size",style:t.sizeOpacity,attrs:{"data-cy-files-list-row-size":""},on:{click:t.openDetailsIfAvailable}},[e("span",[t._v(t._s(t.size))])]):t._e(),t._v(" "),!t.compact&&t.isMtimeAvailable?e("td",{staticClass:"files-list__row-mtime",style:t.mtimeOpacity,attrs:{"data-cy-files-list-row-mtime":""},on:{click:t.openDetailsIfAvailable}},[e("NcDateTime",{attrs:{timestamp:t.source.mtime,"ignore-seconds":!0}})],1):t._e(),t._v(" "),t._l(t.columns,(function(n){return e("td",{key:n.id,staticClass:"files-list__row-column-custom",class:`files-list__row-${t.currentView?.id}-${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;r.default.directive("onClickOutside",Fi.hs);const Ta=r.default.extend({name:"FileEntryGrid",components:{FileEntryActions:Gr,FileEntryCheckbox:Yr,FileEntryName:Qr,FileEntryPreview:ba},inheritAttrs:!1,props:{source:{type:[lt.gt,lt.$B,lt.NB],required:!0},nodes:{type:Array,required:!0},filesListWidth:{type:Number,default:0}},setup:()=>({actionsMenuStore:Tr(),draggingStore:Er(),filesStore:yi(),renamingStore:kr(),selectionStore:bi()}),data:()=>({loading:"",dragover:!1}),computed:{currentView(){return this.$navigation.active},currentDir(){return(this.$route?.query?.dir?.toString()||"/").replace(/^(.+)\/$/,"$1")},currentFileId(){return this.$route.params?.fileid||this.$route.query?.fileid||null},fileid(){return this.source?.fileid?.toString?.()},uniqueId(){return _r(this.source.source)},isLoading(){return this.source.status===lt.e4.LOADING},extension(){return this.source.attributes?.displayName?(0,Is.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.fileid)},isRenaming(){return this.renamingStore.renamingNode===this.source},isActive(){return this.fileid===this.currentFileId?.toString?.()},canDrag(){const t=t=>0!=(t?.permissions<.y3.UPDATE);return this.selectedFiles.length>0?this.selectedFiles.map((t=>this.filesStore.getNode(t))).every(t):t(this.source)},canDrop(){return this.source.type===lt.Tv.Folder&&!this.draggingFiles.includes(this.fileid)&&0!=(this.source.permissions<.y3.CREATE)},openedMenu:{get(){return this.actionsMenuStore.opened===this.uniqueId},set(t){this.actionsMenuStore.opened=t?this.uniqueId:null}}},watch:{source(){this.resetState()}},beforeDestroy(){this.resetState()},methods:{resetState(){this.loading="",this.$refs.preview.reset(),this.openedMenu=!1},onRightClick(t){if(this.openedMenu)return;const e=this.selectedFiles.length>1;this.actionsMenuStore.opened=this.isSelected&&e?"global":this.uniqueId,t.preventDefault(),t.stopPropagation()},execDefaultAction(t){if(t.ctrlKey||t.metaKey)return t.preventDefault(),window.open((0,ut.generateUrl)("/f/{fileId}",{fileId:this.fileid})),!1;this.$refs.actions.execDefaultAction(t)},openDetailsIfAvailable(t){t.preventDefault(),t.stopPropagation(),wi?.enabled?.([this.source],this.currentView)&&wi.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;e?.contains(t.relatedTarget)||(this.dragover=!1)},async onDragStart(t){if(t.stopPropagation(),!this.canDrag)return t.preventDefault(),void t.stopPropagation();$n.debug("Drag started"),this.renamingStore.$reset(),this.selectedFiles.includes(this.fileid)?this.draggingStore.set(this.selectedFiles):this.draggingStore.set([this.fileid]);const e=this.draggingStore.dragging.map((t=>this.filesStore.getNode(t))),n=await Zi(e);t.dataTransfer?.setDragImage(n,-10,-10)},onDragEnd(){this.draggingStore.reset(),this.dragover=!1,$n.debug("Drag ended")},async onDrop(t){if(t.preventDefault(),t.stopPropagation(),!this.canDrop||0!==t.button)return;const e=t.ctrlKey;if(this.dragover=!1,$n.debug("Dropped",{event:t,selection:this.draggingFiles}),t.dataTransfer?.files?.length>0){const e=(0,ii.g)();return t.dataTransfer.files.forEach((t=>{e.upload((0,Is.join)(this.source.path,t.name),t)})),void $n.debug(`Uploading files to ${this.source.path}`)}this.draggingFiles.map((t=>this.filesStore.getNode(t))).forEach((async t=>{r.default.set(t,"status",lt.e4.LOADING);try{await Cr(t,this.source,e?wr.COPY:wr.MOVE)}catch(n){$n.error("Error while moving file",{error:n}),e?(0,Hn.x2)((0,In.Iu)("files","Could not copy {file}. {message}",{file:t.basename,message:n.message||""})):(0,Hn.x2)((0,In.Iu)("files","Could not move {file}. {message}",{file:t.basename,message:n.message||""}))}finally{r.default.set(t,"status",void 0)}})),this.draggingFiles.some((t=>this.selectedFiles.includes(t)))&&($n.debug("Dropped selection, resetting select store..."),this.selectionStore.reset())},t:In.Iu}}),Ea=Ta,ka=(0,On.Z)(Ea,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("tr",{staticClass:"files-list__row",class:{"files-list__row--active":t.isActive,"files-list__row--dragover":t.dragover,"files-list__row--loading":t.isLoading},attrs:{"data-cy-files-list-row":"","data-cy-files-list-row-fileid":t.fileid,"data-cy-files-list-row-name":t.source.basename,draggable:t.canDrag},on:{contextmenu:t.onRightClick,dragover:t.onDragOver,dragleave:t.onDragLeave,dragstart:t.onDragStart,dragend:t.onDragEnd,drop:t.onDrop}},[t.source.attributes.failed?e("span",{staticClass:"files-list__row--failed"}):t._e(),t._v(" "),e("FileEntryCheckbox",{attrs:{fileid:t.fileid,"is-loading":t.isLoading,nodes:t.nodes,source:t.source}}),t._v(" "),e("td",{staticClass:"files-list__row-name",attrs:{"data-cy-files-list-row-name":""}},[e("FileEntryPreview",{ref:"preview",attrs:{dragover:t.dragover,"grid-mode":!0,source:t.source},nativeOn:{click:function(e){return t.execDefaultAction.apply(null,arguments)}}}),t._v(" "),e("FileEntryName",{ref:"name",attrs:{"display-name":t.displayName,extension:t.extension,"files-list-width":t.filesListWidth,"grid-mode":!0,nodes:t.nodes,source:t.source},on:{click:t.execDefaultAction}})],1),t._v(" "),e("FileEntryActions",{ref:"actions",class:`files-list__row-actions-${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 Sa=s(25108);const La={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(){Sa.debug("Mounted",this.header.id),this.header.render(this.$refs.mount,this.currentFolder,this.currentView)}},Na=(0,On.Z)(La,(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-${t.header.id}`},[e("span",{ref:"mount"})])}),[],!1,null,null,null).exports,Ia=r.default.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=vi();return{filesStore:yi(),pathsStore:t}},computed:{currentView(){return this.$navigation.active},dir(){return(this.$route?.query?.dir||"/").replace(/^(.+)\/$/,"$1")},currentFolder(){if(!this.currentView?.id)return;if("/"===this.dir)return this.filesStore.getRoot(this.currentView.id);const t=this.pathsStore.getPath(this.currentView.id,this.dir);return this.filesStore.getNode(t)},columns(){return this.filesListWidth<512?[]:this.currentView?.columns||[]},totalSize(){return this.currentFolder?.size?(0,lt.sS)(this.currentFolder.size,!0):(0,lt.sS)(this.nodes.reduce(((t,e)=>t+e.size||0),0),!0)}},methods:{classForColumn(t){return{"files-list__row-column-custom":!0,[`files-list__row-${this.currentView.id}-${t.id}`]:!0}},t:In.Iu}});var Fa=s(16250),Pa={};Pa.styleTagTransform=ls(),Pa.setAttributes=is(),Pa.insert=ns().bind(null,"head"),Pa.domAPI=ts(),Pa.insertStyleElement=as(),Qn()(Fa.Z,Pa),Fa.Z&&Fa.Z.locals&&Fa.Z.locals;const Oa=(0,On.Z)(Ia,(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){return e("th",{key:n.id,class:t.classForColumn(n)},[e("span",[t._v(t._s(n.summary?.(t.nodes,t.currentView)))])])}))],2)}),[],!1,null,"a85bde20",null).exports,Ba=r.default.extend({data:()=>({filesListWidth:null}),mounted(){const t=document.querySelector("#app-content-vue");this.filesListWidth=t?.clientWidth??null,this.$resizeObserver=new ResizeObserver((e=>{e.length>0&&e[0].target===t&&(this.filesListWidth=e[0].contentRect.width)})),this.$resizeObserver.observe(t)},beforeDestroy(){this.$resizeObserver.disconnect()}}),Da=(0,lt.Vn)(),ja=r.default.extend({name:"FilesListTableHeaderActions",components:{NcActions:Dr.Z,NcActionButton:Br.Z,NcIconSvgWrapper:Un.Z,NcLoadingIcon:di.Z},mixins:[Ba],props:{currentView:{type:Object,required:!0},selectedNodes:{type:Array,default:()=>[]}},setup:()=>({actionsMenuStore:Tr(),filesStore:yi(),selectionStore:bi()}),data:()=>({loading:null}),computed:{dir(){return(this.$route?.query?.dir||"/").replace(/^(.+)\/$/,"$1")},enabledActions(){return Da.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((t=>t))},areSomeNodesLoading(){return this.nodes.some((t=>t.status===lt.e4.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=>{r.default.set(t,"status",lt.e4.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,Hn.x2)(this.t("files",'"{displayName}" failed on some elements ',{displayName:e}))}(0,Hn.s$)(this.t("files",'"{displayName}" batch action executed successfully',{displayName:e})),this.selectionStore.reset()}catch(n){$n.error("Error while executing action",{action:t,e:n}),(0,Hn.x2)(this.t("files",'"{displayName}" action failed',{displayName:e}))}finally{this.loading=null,this.nodes.forEach((t=>{r.default.set(t,"status",void 0)}))}},t:In.Iu}}),Ua=ja;var Ra=s(32442),za={};za.styleTagTransform=ls(),za.setAttributes=is(),za.insert=ns().bind(null,"head"),za.domAPI=ts(),za.insertStyleElement=as(),Qn()(Ra.Z,za),Ra.Z&&Ra.Z.locals&&Ra.Z.locals;var Ma=(0,On.Z)(Ua,(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,"2fbb2389",null);const Va=Ma.exports;var $a=s(63198),qa=s(7290);const Ha=r.default.extend({computed:{...(Za=Vn,Ya=["getConfig","setSortingBy","toggleSortingDirection"],Array.isArray(Ya)?Ya.reduce(((t,e)=>(t[e]=function(){return Za(this.$pinia)[e]},t)),{}):Object.keys(Ya).reduce(((t,e)=>(t[e]=function(){const t=Za(this.$pinia),n=Ya[e];return"function"==typeof n?n.call(this,t):t[n]},t)),{})),currentView(){return this.$navigation.active},sortingMode(){return this.getConfig(this.currentView.id)?.sorting_mode||this.currentView?.defaultSortKey||"basename"},isAscSorting(){const t=this.getConfig(this.currentView.id)?.sorting_direction;return"desc"!==t}},methods:{toggleSortBy(t){this.sortingMode!==t?this.setSortingBy(t,this.currentView.id):this.toggleSortingDirection(this.currentView.id)}}}),Ga=(0,r.defineComponent)({name:"FilesListTableHeaderButton",components:{MenuDown:$a.Z,MenuUp:qa.Z,NcButton:ci.Z},mixins:[Ha],props:{name:{type:String,required:!0},mode:{type:String,required:!0}},methods:{t:In.Iu}});var Za,Ya,Wa=s(97704),Ka={};Ka.styleTagTransform=ls(),Ka.setAttributes=is(),Ka.insert=ns().bind(null,"head"),Ka.domAPI=ts(),Ka.insertStyleElement=as(),Qn()(Wa.Z,Ka),Wa.Z&&Wa.Z.locals&&Wa.Z.locals;const Ja=(0,On.Z)(Ga,(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,"2dd1845e",null).exports,Qa=r.default.extend({name:"FilesListTableHeader",components:{FilesListTableHeaderButton:Ja,NcCheckboxRadioSwitch:fs.Z,FilesListTableHeaderActions:Va},mixins:[Ha],props:{isMtimeAvailable:{type:Boolean,default:!1},isSizeAvailable:{type:Boolean,default:!1},nodes:{type:Array,required:!0},filesListWidth:{type:Number,default:0}},setup:()=>({filesStore:yi(),selectionStore:bi()}),computed:{currentView(){return this.$navigation.active},columns(){return this.filesListWidth<512?[]:this.currentView?.columns||[]},dir(){return(this.$route?.query?.dir||"/").replace(/^(.+)\/$/,"$1")},selectAllBind(){const t=(0,In.Iu)("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){return{"files-list__column":!0,"files-list__column--sortable":!!t.sort,"files-list__row-column-custom":!0,[`files-list__row-${this.currentView.id}-${t.id}`]:!0}},onToggleAll(t){if(t){const t=this.nodes.map((t=>t.fileid.toString()));$n.debug("Added all nodes to selection",{selection:t}),this.selectionStore.setLastIndex(null),this.selectionStore.set(t)}else $n.debug("Cleared selection"),this.selectionStore.reset()},resetSelection(){this.selectionStore.reset()},t:In.Iu}});var Xa=s(97221),to={};to.styleTagTransform=ls(),to.setAttributes=is(),to.insert=ns().bind(null,"head"),to.domAPI=ts(),to.insertStyleElement=as(),Qn()(Xa.Z,to),Xa.Z&&Xa.Z.locals&&Xa.Z.locals;const eo=(0,On.Z)(Qa,(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,"769ad83a",null).exports;var no=s(20296),so=s(25108);const io=r.default.extend({name:"VirtualList",mixins:[Ba],props:{dataComponent:{type:[Object,Function],required:!0},dataKey:{type:String,required:!0},dataSources:{type:Array,required:!0},extraProps:{type:Object,default:()=>({})},scrollToIndex:{type:Number,default:0},gridMode:{type:Boolean,default:!1},caption:{type:String,default:""}},data(){return{index:this.scrollToIndex,beforeHeight:0,headerHeight:0,tableHeight:0,resizeObserver:null}},computed:{isReady(){return this.tableHeight>0},bufferItems(){return this.gridMode?this.columnCount:3},itemHeight(){return this.gridMode?197:55},itemWidth:()=>175,rowCount(){return Math.ceil((this.tableHeight-this.headerHeight)/this.itemHeight)+this.bufferItems/this.columnCount*2+1},columnCount(){return this.gridMode?Math.floor(this.filesListWidth/this.itemWidth):1},startIndex(){return Math.max(0,this.index-this.bufferItems)},shownItems(){return this.gridMode?this.rowCount*this.columnCount:this.rowCount},renderedItems(){if(!this.isReady)return[];const t=this.dataSources.slice(this.startIndex,this.startIndex+this.shownItems),e=t.filter((t=>Object.values(this.$_recycledPool).includes(t[this.dataKey]))).map((t=>t[this.dataKey])),n=Object.keys(this.$_recycledPool).filter((t=>!e.includes(this.$_recycledPool[t])));return t.map((t=>{const e=Object.values(this.$_recycledPool).indexOf(t[this.dataKey]);if(-1!==e)return{key:Object.keys(this.$_recycledPool)[e],item:t};const s=n.pop()||Math.random().toString(36).substr(2);return this.$_recycledPool[s]=t[this.dataKey],{key:s,item:t}}))},tbodyStyle(){const t=this.startIndex+this.rowCount>this.dataSources.length,e=this.dataSources.length-this.startIndex-this.shownItems,n=Math.floor(Math.min(this.dataSources.length-this.startIndex,e)/this.columnCount);return{paddingTop:Math.floor(this.startIndex/this.columnCount)*this.itemHeight+"px",paddingBottom:t?0:n*this.itemHeight+"px"}}},watch:{scrollToIndex(t){this.scrollTo(t)},columnCount(t,e){0!==e?this.scrollTo(this.index):so.debug("VirtualList: columnCount is 0, skipping scroll")}},mounted(){const t=this.$refs?.before,e=this.$el,n=this.$refs?.thead;this.resizeObserver=new ResizeObserver((0,no.debounce)((()=>{this.beforeHeight=t?.clientHeight??0,this.headerHeight=n?.clientHeight??0,this.tableHeight=e?.clientHeight??0,$n.debug("VirtualList: resizeObserver updated"),this.onScroll()}),100,!1)),this.resizeObserver.observe(t),this.resizeObserver.observe(e),this.resizeObserver.observe(n),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){this.index=t;const e=(Math.floor(t/this.columnCount)-.5)*this.itemHeight+this.beforeHeight;$n.debug("VirtualList: scrolling to index "+t,{scrollTop:e,columnCount:this.columnCount}),this.$el.scrollTop=e},onScroll(){this._onScrollHandle??=requestAnimationFrame((()=>{this._onScrollHandle=null;const t=this.$el.scrollTop-this.beforeHeight,e=Math.floor(t/this.itemHeight)*this.columnCount;this.index=Math.max(0,e),this.$emit("scroll")}))}}}),ro=(0,On.Z)(io,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("div",{staticClass:"files-list",attrs:{"data-cy-files-list":""}},[t.$scopedSlots["header-overlay"]?e("div",{staticClass:"files-list__thead-overlay"},[t._t("header-overlay")],2):t._e(),t._v(" "),e("div",{ref:"before",staticClass:"files-list__before"},[t._t("before")],2),t._v(" "),e("table",{staticClass:"files-list__table"},[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,ao=(0,r.defineComponent)({name:"FilesListVirtual",components:{FilesListHeader:Na,FilesListTableFooter:Oa,FilesListTableHeader:eo,VirtualList:ro,FilesListTableHeaderActions:Va},mixins:[Ba],props:{currentView:{type:lt.G7,required:!0},currentFolder:{type:lt.gt,required:!0},nodes:{type:Array,required:!0}},setup:()=>({userConfigStore:bs(),selectionStore:bi()}),data:()=>({FileEntry:_a,FileEntryGrid:ka,headers:(0,lt.De)(),scrollToIndex:0}),computed:{userConfig(){return this.userConfigStore.userConfig},fileId(){return parseInt(this.$route.params.fileid)||null},summary(){return Ii(this.nodes)},isMtimeAvailable(){return!(this.filesListWidth<768)&&this.nodes.some((t=>void 0!==t.mtime))},isSizeAvailable(){return!(this.filesListWidth<768)&&this.nodes.some((t=>void 0!==t.attributes.size))},sortedHeaders(){return this.currentFolder&&this.currentView?[...this.headers].sort(((t,e)=>t.order-e.order)):[]},caption(){const t=(0,In.Iu)("files","List of files and folders.");return`${this.currentView.caption||t}\n${(0,In.Iu)("files","Column headers with buttons are sortable.")}\n${(0,In.Iu)("files","This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list.")}`},selectedNodes(){return this.selectionStore.selected},isNoneSelected(){return 0===this.selectedNodes.length}},watch:{fileId(t){this.scrollToFile(t,!1)}},mounted(){window.document.querySelector("main.app-content").addEventListener("dragover",this.onDragOver),this.scrollToFile(this.fileId),this.openSidebarForFile(this.fileId),this.handleOpenFile()},beforeDestroy(){window.document.querySelector("main.app-content").removeEventListener("dragover",this.onDragOver)},methods:{openSidebarForFile(t){if(document.documentElement.clientWidth>1024&&this.currentFolder.fileid!==t){const e=this.nodes.find((e=>e.fileid===t));e&&wi?.enabled?.([e],this.currentView)&&($n.debug("Opening sidebar on file "+e.path,{node:e}),wi.exec(e,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,Hn.x2)(this.t("files","File not found")),this.scrollToIndex=Math.max(0,n)}},handleOpenFile(){const t=(0,Rn.j)("files","openFileInfo",{});if(void 0===t)return;const e=this.nodes.find((e=>e.fileid===t.id));void 0!==e&&($n.debug("Opening file "+e.path,{node:e}),(0,lt.Vn)().filter((t=>!t.enabled||t.enabled([e],this.currentView))).sort(((t,e)=>(t.order||0)-(e.order||0))).filter((t=>!!t?.default))[0].exec(e,this.currentView,this.currentFolder.path))},getFileId:t=>t.fileid,onDragOver(t){const e=t.dataTransfer?.types.includes("Files");if(e)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:In.Iu}});var oo=s(54037),lo={};lo.styleTagTransform=ls(),lo.setAttributes=is(),lo.insert=ns().bind(null,"head"),lo.domAPI=ts(),lo.insertStyleElement=as(),Qn()(oo.Z,lo),oo.Z&&oo.Z.locals&&oo.Z.locals;var co=s(77292),uo={};uo.styleTagTransform=ls(),uo.setAttributes=is(),uo.insert=ns().bind(null,"head"),uo.domAPI=ts(),uo.insertStyleElement=as(),Qn()(co.Z,uo),co.Z&&co.Z.locals&&co.Z.locals;const mo=(0,On.Z)(ao,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("VirtualList",{ref:"table",attrs:{"data-component":t.userConfig.grid_view?t.FileEntryGrid:t.FileEntry,"data-key":"source","data-sources":t.nodes,"grid-mode":t.userConfig.grid_view,"extra-props":{isMtimeAvailable:t.isMtimeAvailable,isSizeAvailable:t.isSizeAvailable,nodes:t.nodes,filesListWidth:t.filesListWidth},"scroll-to-index":t.scrollToIndex,caption:t.caption},scopedSlots:t._u([t.isNoneSelected?null:{key:"header-overlay",fn:function(){return[e("FilesListTableHeaderActions",{attrs:{"current-view":t.currentView,"selected-nodes":t.selectedNodes}})]},proxy:!0},{key:"before",fn:function(){return t._l(t.sortedHeaders,(function(n){return e("FilesListHeader",{key:n.id,attrs:{"current-folder":t.currentFolder,"current-view":t.currentView,header:n}})}))},proxy:!0},{key:"header",fn:function(){return[e("FilesListTableHeader",{ref:"thead",attrs:{"files-list-width":t.filesListWidth,"is-mtime-available":t.isMtimeAvailable,"is-size-available":t.isSizeAvailable,nodes:t.nodes}})]},proxy:!0},{key:"footer",fn:function(){return[e("FilesListTableFooter",{attrs:{"files-list-width":t.filesListWidth,"is-mtime-available":t.isMtimeAvailable,"is-size-available":t.isSizeAvailable,nodes:t.nodes,summary:t.summary}})]},proxy:!0}],null,!0)})}),[],!1,null,"056855cd",null).exports,po={name:"TrayArrowDownIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},fo=(0,On.Z)(po,(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,"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;var go=s(65358);const ho=async function(t){let e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"";const n=(0,ii.g)();try{return await n.upload(`${e}${t.name}`,t)}catch(e){throw(0,Hn.x2)((0,In.Iu)("files",'Uploading "{filename}" failed',{filename:t.name})),e}},Ao=async function(t){let e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"";if(t.isFile)return[await new Promise(((n,s)=>{t.file((async t=>n(await ho(t,e))),(t=>s(t)))}))];{const n=t,s=(0,go.RQ)(lt._o,(0,ii.g)().destination.path,e,n.name);$n.debug("Handle directory recursively",{name:n.name,absolutPath:s});const i=(0,lt.rp)();if(!await i.exists(s)){$n.debug("Directory does not exist, creating it",{absolutPath:s}),await i.createDirectory(s,{recursive:!0});const t=await i.stat(s,{details:!0,data:(0,lt.h7)()});(0,Nn.j8)("files:node:created",(0,lt.RL)(t.data))}const r=await function(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()}))}(n),a=r.sort((t=>t.isFile?-1:1)).map((t=>Ao(t,`${e}${n.name}/`)));return(await Promise.all(a)).flat()}},wo=(0,r.defineComponent)({name:"DragAndDropNotice",components:{TrayArrowDownIcon:fo},props:{currentFolder:{type:lt.gt,required:!0}},data:()=>({dragover:!1}),computed:{canUpload(){return this.currentFolder&&0!=(this.currentFolder.permissions<.y3.CREATE)},isQuotaExceeded(){return 0===this.currentFolder?.attributes?.["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){t.preventDefault();const e=t.dataTransfer?.types.includes("Files");e&&(this.dragover=!0)},onDragLeave(t){const e=t.currentTarget;e?.contains(t.relatedTarget)||this.dragover&&(this.dragover=!1)},onContentDrop(t){$n.debug("Drag and drop cancelled, dropped on empty space",{event:t}),t.preventDefault(),this.dragover&&(this.dragover=!1)},onDrop(t){$n.debug("Dropped on DragAndDropNotice",{event:t,error:this.cantUploadLabel}),this.canUpload&&!this.isQuotaExceeded?this.$el.querySelector("tbody")?.contains(t.target)||(t.preventDefault(),t.stopPropagation(),t.dataTransfer&&t.dataTransfer.items.length>0&&($n.debug(`Uploading files to ${this.currentFolder.path}`),(async t=>{const e=[];for(const n of t.items){if("file"!==n.kind){$n.debug("Skipping dropped item",{kind:n.kind,type:n.type});continue}const t=n?.getAsEntry?.()??n.webkitGetAsEntry();if(null===t){$n.debug("Could not get FilesystemEntry of item, falling back to file");const t=n.getAsFile();null===t?($n.warn("Could not process DataTransferItem",{type:n.type,kind:n.kind}),(0,Hn.x2)((0,In.Iu)("files","One of the dropped files could not be processed"))):e.push(await ho(t))}else $n.debug("Handle recursive upload",{entry:t.name}),e.push(...await Ao(t))}return e})(t.dataTransfer).then((t=>{$n.debug("Upload terminated",{uploads:t}),(0,Hn.s$)((0,In.Iu)("files","Upload successful"));const e=t.findLast((t=>!t.file.webkitRelativePath.includes("/")&&t.response?.headers?.["oc-fileid"]));void 0!==e&&this.$router.push({...this.$route,params:{view:this.$route.params?.view??"files",fileid:parseInt(e.response.headers["oc-fileid"])}})}))),this.dragover=!1):(0,Hn.x2)(this.cantUploadLabel)},t:In.Iu}});var yo=s(96496),vo={};vo.styleTagTransform=ls(),vo.setAttributes=is(),vo.insert=ns().bind(null,"head"),vo.domAPI=ts(),vo.insertStyleElement=as(),Qn()(yo.Z,vo),yo.Z&&yo.Z.locals&&yo.Z.locals;const bo=(0,On.Z)(wo,(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",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,"069817aa",null).exports,Co=void 0!==(0,Ns.getCapabilities)()?.files_sharing,xo=(0,r.defineComponent)({name:"FilesList",components:{BreadCrumbs:Ni,DragAndDropNotice:bo,FilesListVirtual:mo,LinkIcon:ri.Z,ListViewIcon:oi,NcAppContent:li.Z,NcButton:ci.Z,NcEmptyContent:ui.Z,NcIconSvgWrapper:Un.Z,NcLoadingIcon:di.Z,PlusIcon:mi.Z,ShareVariantIcon:fi,UploadPicker:ii.U,ViewGridIcon:hi},mixins:[Ba,Ha],setup(){const t=yi(),e=vi(),n=bi(),s=function(){return Ci=(0,ii.g)(),ot("uploader",{state:()=>({queue:Ci.queue})})(...arguments)}();return{filesStore:t,pathsStore:e,selectionStore:n,uploaderStore:s,userConfigStore:bs(),viewConfigStore:Vn(),enableGridView:(0,Rn.j)("core","config",[])["enable_non-accessible_features"]??!0}},data:()=>({loading:!0,promise:null,Type:si.D}),computed:{userConfig(){return this.userConfigStore.userConfig},currentView(){return this.$navigation.active||this.$navigation.views.find((t=>t.id===(this.$route.params?.view??"files")))},dir(){return(this.$route?.query?.dir?.toString()||"/").replace(/^(.+)\/$/,"$1")},currentFolder(){if(!this.currentView?.id)return;if("/"===this.dir)return this.filesStore.getRoot(this.currentView.id);const t=this.pathsStore.getPath(this.currentView.id,this.dir);return this.filesStore.getNode(t)},sortingParameters(){return[[...this.userConfig.sort_favorites_first?[t=>1!==t.attributes?.favorite]:[],..."basename"===this.sortingMode?[t=>"folder"!==t.type]:[],..."basename"!==this.sortingMode?[t=>t[this.sortingMode]]:[],t=>t.attributes?.displayName||t.basename,t=>t.basename],[...this.userConfig.sort_favorites_first?["asc"]:[],..."basename"===this.sortingMode?["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(){if(!this.currentView)return[];const t=(this.currentView?.columns||[]).find((t=>t.id===this.sortingMode));if(t?.sort&&"function"==typeof t.sort){const e=[...this.dirContents].sort(t.sort);return this.isAscSorting?e:e.reverse()}return ei([...this.dirContents],...this.sortingParameters)},dirContents(){const t=this.userConfigStore?.userConfig.show_hidden;return(this.currentFolder?._children||[]).map(this.getNode).filter((e=>t?!!e:e&&!0!==e?.attributes?.hidden&&!e?.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(){if(this.currentFolder?.attributes?.["share-types"])return Object.values(this.currentFolder?.attributes?.["share-types"]||{}).flat()},shareButtonLabel(){return this.shareAttributes?this.shareButtonType===si.D.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===si.D.SHARE_TYPE_LINK))?si.D.SHARE_TYPE_LINK:si.D.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&&0!=(this.currentFolder.permissions<.y3.CREATE)},isQuotaExceeded(){return 0===this.currentFolder?.attributes?.["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 Co&&this.currentFolder&&0!=(this.currentFolder.permissions<.y3.SHARE)}},watch:{currentView(t,e){t?.id!==e?.id&&($n.debug("View changed",{newView:t,oldView:e}),this.selectionStore.reset(),this.fetchContent())},dir(t,e){$n.debug("Directory changed",{newDir:t,oldDir:e}),this.selectionStore.reset(),this.fetchContent(),this.$refs?.filesListVirtual?.$el&&(this.$refs.filesListVirtual.$el.scrollTop=0)},dirContents(t){$n.debug("Directory contents changed",{view:this.currentView,folder:this.currentFolder,contents:t}),(0,Nn.j8)("files:list:updated",{view:this.currentView,folder:this.currentFolder,contents:t})}},mounted(){this.fetchContent(),(0,Nn.Ld)("files:node:updated",this.onUpdatedNode)},unmounted(){(0,Nn.r1)("files:node:updated",this.onUpdatedNode)},methods:{async fetchContent(){this.loading=!0;const t=this.dir,e=this.currentView;if(e){"function"==typeof this.promise?.cancel&&(this.promise.cancel(),$n.debug("Cancelled previous ongoing fetch")),this.promise=e.getContents(t);try{const{folder:n,contents:s}=await this.promise;$n.debug("Fetched contents",{dir:t,folder:n,contents:s}),this.filesStore.updateNodes(s),this.$set(n,"_children",s.map((t=>t.fileid))),"/"===t?this.filesStore.setRoot({service:e.id,root:n}):n.fileid?(this.filesStore.updateNodes([n]),this.pathsStore.addPath({service:e.id,fileid:n.fileid,path:t})):$n.error("Invalid root folder returned",{dir:t,folder:n,currentView:e}),s.filter((t=>"folder"===t.type)).forEach((n=>{this.pathsStore.addPath({service:e.id,fileid:n.fileid,path:(0,Is.join)(t,n.basename)})}))}catch(t){$n.error("Error while fetching content",{error:t})}finally{this.loading=!1}}else $n.debug("The current view doesn't exists or is not ready.",{currentView:e})},getNode(t){return this.filesStore.getNode(t)},onUpload(t){(0,Is.dirname)(t.source)===this.currentFolder?.source&&this.fetchContent()},async onUploadFail(t){const e=t.response?.status||0;if(507!==e)if(404!==e&&409!==e)if(403!==e){try{const e=new ni.Parser({trim:!0,explicitRoot:!1}),n=(await e.parseStringPromise(t.response?.data))["s:message"][0];if("string"==typeof n&&""!==n.trim())return void(0,Hn.x2)(this.t("files","Error during upload: {message}",{message:n}))}catch(t){}0===e?(0,Hn.x2)(this.t("files","Unknown error during upload")):(0,Hn.x2)(this.t("files","Error during upload, status code {status}",{status:e}))}else(0,Hn.x2)(this.t("files","Operation is blocked by access control"));else(0,Hn.x2)(this.t("files","Target folder does not exist any more"));else(0,Hn.x2)(this.t("files","Not enough free space"))},onUpdatedNode(t){t?.fileid===this.currentFolder?.fileid&&this.fetchContent()},openSharingSidebar(){window?.OCA?.Files?.Sidebar?.setActiveTab&&window.OCA.Files.Sidebar.setActiveTab("sharing"),wi.exec(this.currentFolder,this.currentView,this.currentFolder.path)},toggleGridView(){this.userConfigStore.update("grid_view",!this.userConfig.grid_view)},t:In.Iu,n:In.uN}});var _o=s(41403),To={};To.styleTagTransform=ls(),To.setAttributes=is(),To.insert=ns().bind(null,"head"),To.domAPI=ts(),To.insertStyleElement=as(),Qn()(_o.Z,To),_o.Z&&_o.Z.locals&&_o.Z.locals;const Eo=(0,On.Z)(xo,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("NcAppContent",{attrs:{"data-cy-files-content":""}},[e("div",{staticClass:"files-list__header"},[e("BreadCrumbs",{attrs:{path:t.dir},on:{reload:t.fetchContent},scopedSlots:t._u([{key:"actions",fn:function(){return[t.canShare&&t.filesListWidth>=512?e("NcButton",{staticClass:"files-list__header-share-button",class:{"files-list__header-share-button--shared":t.shareButtonType},attrs:{"aria-label":t.shareButtonLabel,title:t.shareButtonLabel,type:"tertiary"},on:{click:t.openSharingSidebar},scopedSlots:t._u([{key:"icon",fn:function(){return[t.shareButtonType===t.Type.SHARE_TYPE_LINK?e("LinkIcon"):e("ShareVariantIcon",{attrs:{size:20}})]},proxy:!0}],null,!1,2776780758)}):t._e(),t._v(" "),!t.canUpload||t.isQuotaExceeded?e("NcButton",{staticClass:"files-list__header-upload-button--disabled",attrs:{"aria-label":t.cantUploadLabel,title:t.cantUploadLabel,disabled:!0,type:"secondary"},scopedSlots:t._u([{key:"icon",fn:function(){return[e("PlusIcon",{attrs:{size:20}})]},proxy:!0}],null,!1,2953566425)},[t._v("\n\t\t\t\t\t"+t._s(t.t("files","Add"))+"\n\t\t\t\t")]):t.currentFolder?e("UploadPicker",{staticClass:"files-list__header-upload-button",attrs:{content:t.dirContents,destination:t.currentFolder,multiple:!0},on:{failed:t.onUploadFail,uploaded:t.onUpload}}):t._e()]},proxy:!0}])}),t._v(" "),t.filesListWidth>=512&&t.enableGridView?e("NcButton",{staticClass:"files-list__header-grid-button",attrs:{"aria-label":t.gridViewButtonLabel,title:t.gridViewButtonLabel,type:"tertiary"},on:{click:t.toggleGridView},scopedSlots:t._u([{key:"icon",fn:function(){return[t.userConfig.grid_view?e("ListViewIcon"):e("ViewGridIcon")]},proxy:!0}],null,!1,1682960703)}):t._e(),t._v(" "),t.isRefreshing?e("NcLoadingIcon",{staticClass:"files-list__refresh-icon"}):t._e()],1),t._v(" "),!t.loading&&t.canUpload?e("DragAndDropNotice",{attrs:{"current-folder":t.currentFolder}}):t._e(),t._v(" "),t.loading&&!t.isRefreshing?e("NcLoadingIcon",{staticClass:"files-list__loading-icon",attrs:{size:38,name:t.t("files","Loading current folder")}}):!t.loading&&t.isEmptyDir?e("NcEmptyContent",{attrs:{name:t.currentView?.emptyTitle||t.t("files","No files in here"),description:t.currentView?.emptyCaption||t.t("files","Upload some content or sync with your devices!"),"data-cy-files-content-empty":""},scopedSlots:t._u([{key:"action",fn:function(){return["/"!==t.dir?e("NcButton",{attrs:{"aria-label":t.t("files","Go to the previous folder"),type:"primary",to:t.toPreviousDir}},[t._v("\n\t\t\t\t"+t._s(t.t("files","Go back"))+"\n\t\t\t")]):t._e()]},proxy:!0},{key:"icon",fn:function(){return[e("NcIconSvgWrapper",{attrs:{svg:t.currentView.icon}})]},proxy:!0}])}):e("FilesListVirtual",{ref:"filesListVirtual",attrs:{"current-folder":t.currentFolder,"current-view":t.currentView,nodes:t.dirContentsSorted}})],1)}),[],!1,null,"460d7d98",null).exports,ko=(0,r.defineComponent)({name:"FilesApp",components:{NcContent:Ln.Z,FilesList:Eo,Navigation:Ls}}),So=(0,On.Z)(ko,(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;s.nc=btoa((0,ct.IH)()),window.OCA.Files=window.OCA.Files??{},window.OCP.Files=window.OCP.Files??{};const Lo=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||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)}(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})}}(En);Object.assign(window.OCP.Files,{Router:Lo}),r.default.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[A]=e,this.$pinia||(this.$pinia=e),e._a=this,v&&h(e),b&&Z(e._a,e)}else!this.$pinia&&t.parent&&t.parent.$pinia&&(this.$pinia=t.parent.$pinia)},destroyed(){delete this._pStores}})}));const No=function(){const t=(0,r.effectScope)(!0),e=t.run((()=>(0,r.ref)({})));let n=[],s=[];const i=(0,r.markRaw)({install(t){h(i),a||(i._a=t,t.provide(A,i),t.config.globalProperties.$pinia=i,b&&Z(t,i),s.forEach((t=>n.push(t))),s=[])},use(t){return this._a||a?n.push(t):s.push(t),this},_p:n,_a:null,_e:t,_s:new Map,state:e});return b&&"undefined"!=typeof Proxy&&i.use(J),i}(),Io=r.default.observable((0,lt.Ti)());r.default.prototype.$navigation=Io;const Fo=new class{constructor(){var t,e,n;t=this,n=void 0,(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="_settings"))in t?Object.defineProperty(t,e,{value:n,enumerable:!0,configurable:!0,writable:!0}):t[e]=n,this._settings=[],Sn.debug("OCA.Files.Settings initialized")}register(t){return this._settings.filter((e=>e.name===t.name)).length>0?(Sn.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:Fo}),Object.assign(window.OCA.Files.Settings,{Setting:class{constructor(t,e){let{el:n,open:s,close:i}=e;kn(this,"_close",void 0),kn(this,"_el",void 0),kn(this,"_name",void 0),kn(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(r.default.extend(So))({router:En,pinia:No}).$mount("#content")},51473:(t,e,n)=>{"use strict";n.d(e,{Z:()=>f});var s=n(87537),i=n.n(s),r=n(23645),a=n.n(r),o=n(61667),l=n.n(o),c=new URL(n(79839),n.b),u=new URL(n(88717),n.b),d=a()(i()),m=l()(c),p=l()(u);d.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._file-picker__file-icon_1vgv4_5 {\n width: 32px;\n height: 32px;\n min-width: 32px;\n min-height: 32px;\n background-repeat: no-repeat;\n background-size: contain;\n display: flex;\n justify-content: center;\n}\ntr.file-picker__row[data-v-6aded0d9] {\n height: var(--row-height, 50px);\n}\ntr.file-picker__row td[data-v-6aded0d9] {\n cursor: pointer;\n overflow: hidden;\n text-overflow: ellipsis;\n border-bottom: none;\n}\ntr.file-picker__row td.row-checkbox[data-v-6aded0d9] {\n padding: 0 2px;\n}\ntr.file-picker__row td[data-v-6aded0d9]:not(.row-checkbox) {\n padding-inline: 14px 0;\n}\ntr.file-picker__row td.row-size[data-v-6aded0d9] {\n text-align: end;\n padding-inline: 0 14px;\n}\ntr.file-picker__row td.row-name[data-v-6aded0d9] {\n padding-inline: 2px 0;\n}\n@keyframes gradient-6aded0d9 {\n 0% {\n background-position: 0% 50%;\n }\n 50% {\n background-position: 100% 50%;\n }\n to {\n background-position: 0% 50%;\n }\n}\n.loading-row .row-checkbox[data-v-6aded0d9] {\n text-align: center !important;\n}\n.loading-row span[data-v-6aded0d9] {\n display: inline-block;\n height: 24px;\n background: linear-gradient(to right, var(--color-background-darker), var(--color-text-maxcontrast), var(--color-background-darker));\n background-size: 600px 100%;\n border-radius: var(--border-radius);\n animation: gradient-6aded0d9 12s ease infinite;\n}\n.loading-row .row-wrapper[data-v-6aded0d9] {\n display: inline-flex;\n align-items: center;\n}\n.loading-row .row-checkbox span[data-v-6aded0d9] {\n width: 24px;\n}\n.loading-row .row-name span[data-v-6aded0d9]:last-of-type {\n margin-inline-start: 6px;\n width: 130px;\n}\n.loading-row .row-size span[data-v-6aded0d9] {\n width: 80px;\n}\n.loading-row .row-modified span[data-v-6aded0d9] {\n width: 90px;\n}\ntr.file-picker__row[data-v-48df4f27] {\n height: var(--row-height, 50px);\n}\ntr.file-picker__row td[data-v-48df4f27] {\n cursor: pointer;\n overflow: hidden;\n text-overflow: ellipsis;\n border-bottom: none;\n}\ntr.file-picker__row td.row-checkbox[data-v-48df4f27] {\n padding: 0 2px;\n}\ntr.file-picker__row td[data-v-48df4f27]:not(.row-checkbox) {\n padding-inline: 14px 0;\n}\ntr.file-picker__row td.row-size[data-v-48df4f27] {\n text-align: end;\n padding-inline: 0 14px;\n}\ntr.file-picker__row td.row-name[data-v-48df4f27] {\n padding-inline: 2px 0;\n}\n.file-picker__row--selected[data-v-48df4f27] {\n background-color: var(--color-background-dark);\n}\n.file-picker__row[data-v-48df4f27]:hover {\n background-color: var(--color-background-hover);\n}\n.file-picker__name-container[data-v-48df4f27] {\n display: flex;\n justify-content: start;\n align-items: center;\n height: 100%;\n}\n.file-picker__file-name[data-v-48df4f27] {\n padding-inline-start: 6px;\n min-width: 0;\n overflow: hidden;\n text-overflow: ellipsis;\n}\n.file-picker__file-extension[data-v-48df4f27] {\n color: var(--color-text-maxcontrast);\n min-width: fit-content;\n}\n.file-picker__header-preview[data-v-d3c94818] {\n width: 22px;\n height: 32px;\n flex: 0 0 auto;\n}\n.file-picker__files[data-v-d3c94818] {\n margin: 2px;\n margin-inline-start: 12px;\n overflow: scroll auto;\n}\n.file-picker__files table[data-v-d3c94818] {\n width: 100%;\n max-height: 100%;\n table-layout: fixed;\n}\n.file-picker__files th[data-v-d3c94818] {\n position: sticky;\n z-index: 1;\n top: 0;\n background-color: var(--color-main-background);\n padding: 2px;\n}\n.file-picker__files th .header-wrapper[data-v-d3c94818] {\n display: flex;\n}\n.file-picker__files th.row-checkbox[data-v-d3c94818] {\n width: 44px;\n}\n.file-picker__files th.row-name[data-v-d3c94818] {\n width: 230px;\n}\n.file-picker__files th.row-size[data-v-d3c94818] {\n width: 100px;\n}\n.file-picker__files th.row-modified[data-v-d3c94818] {\n width: 120px;\n}\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue__wrapper {\n justify-content: start;\n flex-direction: row-reverse;\n}\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue {\n padding-inline: 16px 4px;\n}\n.file-picker__files th.row-size[data-v-d3c94818] .button-vue__wrapper {\n justify-content: end;\n}\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper {\n color: var(--color-text-maxcontrast);\n}\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper .button-vue__text {\n font-weight: 400;\n}\n.file-picker__breadcrumbs[data-v-3bc9efa5] {\n flex-grow: 0 !important;\n}\n.file-picker__side[data-v-e96bec41] {\n display: flex;\n flex-direction: column;\n align-items: stretch;\n gap: .5rem;\n min-width: 200px;\n padding: 2px;\n overflow: auto;\n}\n.file-picker__side[data-v-e96bec41] .button-vue__wrapper {\n justify-content: start;\n}\n.file-picker__filter-input[data-v-e96bec41] {\n margin-block: 7px;\n max-width: 260px;\n}\n@media (max-width: 736px) {\n .file-picker__side[data-v-e96bec41] {\n flex-direction: row;\n min-width: unset;\n }\n}\n@media (max-width: 512px) {\n .file-picker__side[data-v-e96bec41] {\n flex-direction: row;\n min-width: unset;\n }\n .file-picker__filter-input[data-v-e96bec41] {\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-c6479356] {\n height: 50px;\n display: flex;\n justify-content: start;\n align-items: center;\n}\n.file-picker__view h3[data-v-c6479356] {\n font-weight: 700;\n height: fit-content;\n margin: 0;\n}\n.file-picker__main[data-v-c6479356] {\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-c6479356] {\n box-sizing: border-box;\n}\n[data-v-c6479356] .file-picker {\n height: min(80vh, 800px) !important;\n}\n@media (max-width: 512px) {\n [data-v-c6479356] .file-picker {\n height: calc(100% - 16px - var(--default-clickable-area)) !important;\n }\n}\n[data-v-c6479356] .file-picker__content {\n display: flex;\n flex-direction: column;\n overflow: hidden;\n}\n`,"",{version:3,sources:["webpack://./node_modules/@nextcloud/dialogs/dist/style.css"],names:[],mappings:"AAAA,gBAAgB;AAChB;;;;;;;;;;;;;;;;;;;;EAoBE;AACF;EACE,gBAAgB;EAChB,gBAAgB;EAChB,8CAA8C;EAC9C,6BAA6B;EAC7B,6CAA6C;EAC7C,eAAe;EACf,gBAAgB;EAChB,eAAe;EACf,cAAc;EACd,mCAAmC;EACnC,aAAa;EACb,mBAAmB;AACrB;AACA;EACE,aAAa;EACb,mBAAmB;AACrB;AACA;;EAEE,gBAAgB;EAChB,gBAAgB;EAChB,sBAAsB;EACtB,eAAe;EACf,YAAY;EACZ,aAAa;EACb,mBAAmB;EACnB,4BAA4B;EAC5B,2BAA2B;EAC3B,6BAA6B;EAC7B,aAAa;AACf;AACA;;EAEE,cAAc;EACd,WAAW;EACX,YAAY;EACZ,gBAAgB;EAChB,iBAAiB;EACjB,YAAY;AACd;AACA;;EAEE,yDAA8Q;EAC9Q,YAAY;EACZ,wCAAwC;EACxC,qBAAqB;EACrB,WAAW;EACX,YAAY;AACd;AACA;;EAEE,wBAAwB;EACxB,wBAAwB;AAC1B;AACA;;;;;;EAME,eAAe;EACf,UAAU;AACZ;AACA;EACE,WAAW;AACb;AACA;EACE,eAAe;AACjB;AACA;EACE,yCAAyC;AAC3C;AACA;EACE,2CAA2C;AAC7C;AACA;EACE,2CAA2C;AAC7C;AACA;;EAEE,2CAA2C;AAC7C;AACA;EACE,yDAAsT;AACxT;AACA;EACE,WAAW;EACX,YAAY;EACZ,eAAe;EACf,gBAAgB;EAChB,4BAA4B;EAC5B,wBAAwB;EACxB,aAAa;EACb,uBAAuB;AACzB;AACA;EACE,+BAA+B;AACjC;AACA;EACE,eAAe;EACf,gBAAgB;EAChB,uBAAuB;EACvB,mBAAmB;AACrB;AACA;EACE,cAAc;AAChB;AACA;EACE,sBAAsB;AACxB;AACA;EACE,eAAe;EACf,sBAAsB;AACxB;AACA;EACE,qBAAqB;AACvB;AACA;EACE;IACE,2BAA2B;EAC7B;EACA;IACE,6BAA6B;EAC/B;EACA;IACE,2BAA2B;EAC7B;AACF;AACA;EACE,6BAA6B;AAC/B;AACA;EACE,qBAAqB;EACrB,YAAY;EACZ,oIAAoI;EACpI,2BAA2B;EAC3B,mCAAmC;EACnC,8CAA8C;AAChD;AACA;EACE,oBAAoB;EACpB,mBAAmB;AACrB;AACA;EACE,WAAW;AACb;AACA;EACE,wBAAwB;EACxB,YAAY;AACd;AACA;EACE,WAAW;AACb;AACA;EACE,WAAW;AACb;AACA;EACE,+BAA+B;AACjC;AACA;EACE,eAAe;EACf,gBAAgB;EAChB,uBAAuB;EACvB,mBAAmB;AACrB;AACA;EACE,cAAc;AAChB;AACA;EACE,sBAAsB;AACxB;AACA;EACE,eAAe;EACf,sBAAsB;AACxB;AACA;EACE,qBAAqB;AACvB;AACA;EACE,8CAA8C;AAChD;AACA;EACE,+CAA+C;AACjD;AACA;EACE,aAAa;EACb,sBAAsB;EACtB,mBAAmB;EACnB,YAAY;AACd;AACA;EACE,yBAAyB;EACzB,YAAY;EACZ,gBAAgB;EAChB,uBAAuB;AACzB;AACA;EACE,oCAAoC;EACpC,sBAAsB;AACxB;AACA;EACE,WAAW;EACX,YAAY;EACZ,cAAc;AAChB;AACA;EACE,WAAW;EACX,yBAAyB;EACzB,qBAAqB;AACvB;AACA;EACE,WAAW;EACX,gBAAgB;EAChB,mBAAmB;AACrB;AACA;EACE,gBAAgB;EAChB,UAAU;EACV,MAAM;EACN,8CAA8C;EAC9C,YAAY;AACd;AACA;EACE,aAAa;AACf;AACA;EACE,WAAW;AACb;AACA;EACE,YAAY;AACd;AACA;EACE,YAAY;AACd;AACA;EACE,YAAY;AACd;AACA;EACE,sBAAsB;EACtB,2BAA2B;AAC7B;AACA;EACE,wBAAwB;AAC1B;AACA;EACE,oBAAoB;AACtB;AACA;EACE,oCAAoC;AACtC;AACA;EACE,gBAAgB;AAClB;AACA;EACE,uBAAuB;AACzB;AACA;EACE,aAAa;EACb,sBAAsB;EACtB,oBAAoB;EACpB,UAAU;EACV,gBAAgB;EAChB,YAAY;EACZ,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._file-picker__file-icon_1vgv4_5 {\n width: 32px;\n height: 32px;\n min-width: 32px;\n min-height: 32px;\n background-repeat: no-repeat;\n background-size: contain;\n display: flex;\n justify-content: center;\n}\ntr.file-picker__row[data-v-6aded0d9] {\n height: var(--row-height, 50px);\n}\ntr.file-picker__row td[data-v-6aded0d9] {\n cursor: pointer;\n overflow: hidden;\n text-overflow: ellipsis;\n border-bottom: none;\n}\ntr.file-picker__row td.row-checkbox[data-v-6aded0d9] {\n padding: 0 2px;\n}\ntr.file-picker__row td[data-v-6aded0d9]:not(.row-checkbox) {\n padding-inline: 14px 0;\n}\ntr.file-picker__row td.row-size[data-v-6aded0d9] {\n text-align: end;\n padding-inline: 0 14px;\n}\ntr.file-picker__row td.row-name[data-v-6aded0d9] {\n padding-inline: 2px 0;\n}\n@keyframes gradient-6aded0d9 {\n 0% {\n background-position: 0% 50%;\n }\n 50% {\n background-position: 100% 50%;\n }\n to {\n background-position: 0% 50%;\n }\n}\n.loading-row .row-checkbox[data-v-6aded0d9] {\n text-align: center !important;\n}\n.loading-row span[data-v-6aded0d9] {\n display: inline-block;\n height: 24px;\n background: linear-gradient(to right, var(--color-background-darker), var(--color-text-maxcontrast), var(--color-background-darker));\n background-size: 600px 100%;\n border-radius: var(--border-radius);\n animation: gradient-6aded0d9 12s ease infinite;\n}\n.loading-row .row-wrapper[data-v-6aded0d9] {\n display: inline-flex;\n align-items: center;\n}\n.loading-row .row-checkbox span[data-v-6aded0d9] {\n width: 24px;\n}\n.loading-row .row-name span[data-v-6aded0d9]:last-of-type {\n margin-inline-start: 6px;\n width: 130px;\n}\n.loading-row .row-size span[data-v-6aded0d9] {\n width: 80px;\n}\n.loading-row .row-modified span[data-v-6aded0d9] {\n width: 90px;\n}\ntr.file-picker__row[data-v-48df4f27] {\n height: var(--row-height, 50px);\n}\ntr.file-picker__row td[data-v-48df4f27] {\n cursor: pointer;\n overflow: hidden;\n text-overflow: ellipsis;\n border-bottom: none;\n}\ntr.file-picker__row td.row-checkbox[data-v-48df4f27] {\n padding: 0 2px;\n}\ntr.file-picker__row td[data-v-48df4f27]:not(.row-checkbox) {\n padding-inline: 14px 0;\n}\ntr.file-picker__row td.row-size[data-v-48df4f27] {\n text-align: end;\n padding-inline: 0 14px;\n}\ntr.file-picker__row td.row-name[data-v-48df4f27] {\n padding-inline: 2px 0;\n}\n.file-picker__row--selected[data-v-48df4f27] {\n background-color: var(--color-background-dark);\n}\n.file-picker__row[data-v-48df4f27]:hover {\n background-color: var(--color-background-hover);\n}\n.file-picker__name-container[data-v-48df4f27] {\n display: flex;\n justify-content: start;\n align-items: center;\n height: 100%;\n}\n.file-picker__file-name[data-v-48df4f27] {\n padding-inline-start: 6px;\n min-width: 0;\n overflow: hidden;\n text-overflow: ellipsis;\n}\n.file-picker__file-extension[data-v-48df4f27] {\n color: var(--color-text-maxcontrast);\n min-width: fit-content;\n}\n.file-picker__header-preview[data-v-d3c94818] {\n width: 22px;\n height: 32px;\n flex: 0 0 auto;\n}\n.file-picker__files[data-v-d3c94818] {\n margin: 2px;\n margin-inline-start: 12px;\n overflow: scroll auto;\n}\n.file-picker__files table[data-v-d3c94818] {\n width: 100%;\n max-height: 100%;\n table-layout: fixed;\n}\n.file-picker__files th[data-v-d3c94818] {\n position: sticky;\n z-index: 1;\n top: 0;\n background-color: var(--color-main-background);\n padding: 2px;\n}\n.file-picker__files th .header-wrapper[data-v-d3c94818] {\n display: flex;\n}\n.file-picker__files th.row-checkbox[data-v-d3c94818] {\n width: 44px;\n}\n.file-picker__files th.row-name[data-v-d3c94818] {\n width: 230px;\n}\n.file-picker__files th.row-size[data-v-d3c94818] {\n width: 100px;\n}\n.file-picker__files th.row-modified[data-v-d3c94818] {\n width: 120px;\n}\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue__wrapper {\n justify-content: start;\n flex-direction: row-reverse;\n}\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue {\n padding-inline: 16px 4px;\n}\n.file-picker__files th.row-size[data-v-d3c94818] .button-vue__wrapper {\n justify-content: end;\n}\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper {\n color: var(--color-text-maxcontrast);\n}\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper .button-vue__text {\n font-weight: 400;\n}\n.file-picker__breadcrumbs[data-v-3bc9efa5] {\n flex-grow: 0 !important;\n}\n.file-picker__side[data-v-e96bec41] {\n display: flex;\n flex-direction: column;\n align-items: stretch;\n gap: .5rem;\n min-width: 200px;\n padding: 2px;\n overflow: auto;\n}\n.file-picker__side[data-v-e96bec41] .button-vue__wrapper {\n justify-content: start;\n}\n.file-picker__filter-input[data-v-e96bec41] {\n margin-block: 7px;\n max-width: 260px;\n}\n@media (max-width: 736px) {\n .file-picker__side[data-v-e96bec41] {\n flex-direction: row;\n min-width: unset;\n }\n}\n@media (max-width: 512px) {\n .file-picker__side[data-v-e96bec41] {\n flex-direction: row;\n min-width: unset;\n }\n .file-picker__filter-input[data-v-e96bec41] {\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-c6479356] {\n height: 50px;\n display: flex;\n justify-content: start;\n align-items: center;\n}\n.file-picker__view h3[data-v-c6479356] {\n font-weight: 700;\n height: fit-content;\n margin: 0;\n}\n.file-picker__main[data-v-c6479356] {\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-c6479356] {\n box-sizing: border-box;\n}\n[data-v-c6479356] .file-picker {\n height: min(80vh, 800px) !important;\n}\n@media (max-width: 512px) {\n [data-v-c6479356] .file-picker {\n height: calc(100% - 16px - var(--default-clickable-area)) !important;\n }\n}\n[data-v-c6479356] .file-picker__content {\n display: flex;\n flex-direction: column;\n overflow: hidden;\n}\n"],sourceRoot:""}]);const f=d},75716:(t,e,n)=>{"use strict";n.d(e,{Z:()=>o});var s=n(87537),i=n.n(s),r=n(23645),a=n.n(r)()(i());a.push([t.id,".upload-picker[data-v-af4c69fa] {\n display: inline-flex;\n align-items: center;\n height: 44px;\n}\n.upload-picker__progress[data-v-af4c69fa] {\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-af4c69fa] {\n overflow: hidden;\n white-space: nowrap;\n text-overflow: ellipsis;\n}\n.upload-picker--uploading .upload-picker__progress[data-v-af4c69fa] {\n max-width: 200px;\n margin-right: 20px;\n margin-left: 8px;\n}\n.upload-picker--paused .upload-picker__progress[data-v-af4c69fa] {\n animation: breathing-af4c69fa 3s ease-out infinite normal;\n}\n@keyframes breathing-af4c69fa {\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-7900cbe9.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-af4c69fa] {\n display: inline-flex;\n align-items: center;\n height: 44px;\n}\n.upload-picker__progress[data-v-af4c69fa] {\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-af4c69fa] {\n overflow: hidden;\n white-space: nowrap;\n text-overflow: ellipsis;\n}\n.upload-picker--uploading .upload-picker__progress[data-v-af4c69fa] {\n max-width: 200px;\n margin-right: 20px;\n margin-left: 8px;\n}\n.upload-picker--paused .upload-picker__progress[data-v-af4c69fa] {\n animation: breathing-af4c69fa 3s ease-out infinite normal;\n}\n@keyframes breathing-af4c69fa {\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=a},60393:(t,e,n)=>{"use strict";n.d(e,{Z:()=>o});var s=n(87537),i=n.n(s),r=n(23645),a=n.n(r)()(i());a.push([t.id,".breadcrumb[data-v-1c4866bc]{flex:1 1 100% !important;width:100%}.breadcrumb[data-v-1c4866bc] a{cursor:pointer !important}","",{version:3,sources:["webpack://./apps/files/src/components/BreadCrumbs.vue"],names:[],mappings:"AACA,6BAEC,wBAAA,CACA,UAAA,CAEA,+BACC,yBAAA",sourcesContent:["\n.breadcrumb {\n\t// Take as much space as possible\n\tflex: 1 1 100% !important;\n\twidth: 100%;\n\n\t::v-deep a {\n\t\tcursor: pointer !important;\n\t}\n}\n\n"],sourceRoot:""}]);const o=a},96496:(t,e,n)=>{"use strict";n.d(e,{Z:()=>o});var s=n(87537),i=n.n(s),r=n(23645),a=n.n(r)()(i());a.push([t.id,".files-list__drag-drop-notice[data-v-069817aa]{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-069817aa]{margin-left:16px;color:inherit}.files-list__drag-drop-notice-wrapper[data-v-069817aa]{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 o=a},50262:(t,e,n)=>{"use strict";n.d(e,{Z:()=>o});var s=n(87537),i=n.n(s),r=n(23645),a=n.n(r)()(i());a.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 o=a},29785:(t,e,n)=>{"use strict";n.d(e,{Z:()=>o});var s=n(87537),i=n.n(s),r=n(23645),a=n.n(r)()(i());a.push([t.id,".favorite-marker-icon[data-v-77afa6dc]{color:#a08b00;min-width:unset !important;min-height:unset !important}.favorite-marker-icon[data-v-77afa6dc] svg{width:26px !important;height:26px !important;max-width:unset !important;max-height:unset !important}.favorite-marker-icon[data-v-77afa6dc] 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 o=a},15604:(t,e,n)=>{"use strict";n.d(e,{Z:()=>o});var s=n(87537),i=n.n(s),r=n(23645),a=n.n(r)()(i());a.push([t.id,".app-content[style*=mouse-pos-x] .v-popper__popper{transform:translate3d(var(--mouse-pos-x), var(--mouse-pos-y), 0px) !important}.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), 0px) !important}.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,mDACC,6EAAA,CAGA,8EACC,0FAAA,CAGD,8EACC,YAAA",sourcesContent:['\n// Allow right click to define the position of the menu\n// only if defined\n.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\ttransform: translate3d(var(--mouse-pos-x), calc(var(--mouse-pos-y) - 50vh), 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 o=a},61707:(t,e,n)=>{"use strict";n.d(e,{Z:()=>o});var s=n(87537),i=n.n(s),r=n(23645),a=n.n(r)()(i());a.push([t.id,"[data-v-3daa457a] .button-vue--icon-and-text .button-vue__text{color:var(--color-primary-element)}[data-v-3daa457a] .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 o=a},16250:(t,e,n)=>{"use strict";n.d(e,{Z:()=>o});var s=n(87537),i=n.n(s),r=n(23645),a=n.n(r)()(i());a.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 o=a},97221:(t,e,n)=>{"use strict";n.d(e,{Z:()=>o});var s=n(87537),i=n.n(s),r=n(23645),a=n.n(r)()(i());a.push([t.id,".files-list__column[data-v-769ad83a]{user-select:none;color:var(--color-text-maxcontrast) !important}.files-list__column--sortable[data-v-769ad83a]{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 o=a},32442:(t,e,n)=>{"use strict";n.d(e,{Z:()=>o});var s=n(87537),i=n.n(s),r=n(23645),a=n.n(r)()(i());a.push([t.id,".files-list__row-actions-batch[data-v-2fbb2389]{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 o=a},97704:(t,e,n)=>{"use strict";n.d(e,{Z:()=>o});var s=n(87537),i=n.n(s),r=n(23645),a=n.n(r)()(i());a.push([t.id,".files-list__column-sort-button[data-v-2dd1845e]{margin:0 calc(var(--cell-margin)*-1);min-width:calc(100% - 3*var(--cell-margin)) !important}.files-list__column-sort-button-text[data-v-2dd1845e]{color:var(--color-text-maxcontrast);font-weight:normal}.files-list__column-sort-button-icon[data-v-2dd1845e]{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-2dd1845e]{inset-inline-start:10px}.files-list__column-sort-button--active .files-list__column-sort-button-icon[data-v-2dd1845e],.files-list__column-sort-button:hover .files-list__column-sort-button-icon[data-v-2dd1845e],.files-list__column-sort-button:focus .files-list__column-sort-button-icon[data-v-2dd1845e],.files-list__column-sort-button:active .files-list__column-sort-button-icon[data-v-2dd1845e]{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 o=a},54037:(t,e,n)=>{"use strict";n.d(e,{Z:()=>o});var s=n(87537),i=n.n(s),r=n(23645),a=n.n(r)()(i());a.push([t.id,".files-list[data-v-056855cd]{--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;position:relative;overflow:auto;height:100%;will-change:scroll-position}.files-list[data-v-056855cd] tbody{will-change:padding;contain:layout paint style;display:flex;flex-direction:column;width:100%;position:relative}.files-list[data-v-056855cd] tbody tr{contain:strict}.files-list[data-v-056855cd] tbody tr:hover,.files-list[data-v-056855cd] tbody tr:focus{background-color:var(--color-background-dark)}.files-list[data-v-056855cd] .files-list__before{display:flex;flex-direction:column}.files-list[data-v-056855cd] .files-list__table{display:block}.files-list[data-v-056855cd] .files-list__thead-overlay{position:absolute;top:0;left:var(--row-height);right:0;z-index:1000;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-056855cd] .files-list__thead,.files-list[data-v-056855cd] .files-list__tfoot{display:flex;flex-direction:column;width:100%;background-color:var(--color-main-background)}.files-list[data-v-056855cd] .files-list__thead{position:sticky;z-index:10;top:0}.files-list[data-v-056855cd] .files-list__tfoot{min-height:300px}.files-list[data-v-056855cd] 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-056855cd] td,.files-list[data-v-056855cd] 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-056855cd] td span,.files-list[data-v-056855cd] th span{overflow:hidden;white-space:nowrap;text-overflow:ellipsis}.files-list[data-v-056855cd] .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-056855cd] .files-list__row-checkbox{justify-content:center}.files-list[data-v-056855cd] .files-list__row-checkbox .checkbox-radio-switch{display:flex;justify-content:center;--icon-size: var(--checkbox-size)}.files-list[data-v-056855cd] .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-056855cd] .files-list__row-checkbox .checkbox-radio-switch .checkbox-radio-switch__icon{margin:0 !important}.files-list[data-v-056855cd] .files-list__row:hover,.files-list[data-v-056855cd] .files-list__row:focus,.files-list[data-v-056855cd] .files-list__row:active,.files-list[data-v-056855cd] .files-list__row--active,.files-list[data-v-056855cd] .files-list__row--dragover{background-color:var(--color-background-hover);--color-text-maxcontrast: var(--color-main-text)}.files-list[data-v-056855cd] .files-list__row:hover>*,.files-list[data-v-056855cd] .files-list__row:focus>*,.files-list[data-v-056855cd] .files-list__row:active>*,.files-list[data-v-056855cd] .files-list__row--active>*,.files-list[data-v-056855cd] .files-list__row--dragover>*{--color-border: var(--color-border-dark)}.files-list[data-v-056855cd] .files-list__row:hover .favorite-marker-icon svg path,.files-list[data-v-056855cd] .files-list__row:focus .favorite-marker-icon svg path,.files-list[data-v-056855cd] .files-list__row:active .favorite-marker-icon svg path,.files-list[data-v-056855cd] .files-list__row--active .favorite-marker-icon svg path,.files-list[data-v-056855cd] .files-list__row--dragover .favorite-marker-icon svg path{stroke:var(--color-background-hover)}.files-list[data-v-056855cd] .files-list__row--dragover *{pointer-events:none}.files-list[data-v-056855cd] .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-056855cd] .files-list__row-icon *{cursor:pointer}.files-list[data-v-056855cd] .files-list__row-icon>span{justify-content:flex-start}.files-list[data-v-056855cd] .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-056855cd] .files-list__row-icon>span.folder-icon,.files-list[data-v-056855cd] .files-list__row-icon>span.folder-open-icon{margin:-3px}.files-list[data-v-056855cd] .files-list__row-icon>span.folder-icon svg,.files-list[data-v-056855cd] .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-056855cd] .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-056855cd] .files-list__row-icon-preview:not(.files-list__row-icon-preview--loaded){background:var(--color-loading-dark)}.files-list[data-v-056855cd] .files-list__row-icon-favorite{position:absolute;top:0px;right:-10px}.files-list[data-v-056855cd] .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-056855cd] .files-list__row-icon-overlay--file{color:var(--color-main-text);background:var(--color-main-background);border-radius:100%}.files-list[data-v-056855cd] .files-list__row-name{overflow:hidden;flex:1 1 auto}.files-list[data-v-056855cd] .files-list__row-name a{display:flex;align-items:center;width:100%;height:100%;min-width:0}.files-list[data-v-056855cd] .files-list__row-name a:focus-visible{outline:none}.files-list[data-v-056855cd] .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-056855cd] .files-list__row-name a:focus:not(:focus-visible) .files-list__row-name-text{outline:none !important}.files-list[data-v-056855cd] .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-056855cd] .files-list__row-name .files-list__row-name-ext{color:var(--color-text-maxcontrast);overflow:visible}.files-list[data-v-056855cd] .files-list__row-rename{width:100%;max-width:600px}.files-list[data-v-056855cd] .files-list__row-rename input{width:100%;margin-left:-8px;padding:2px 6px;border-width:2px}.files-list[data-v-056855cd] .files-list__row-rename input:invalid{border-color:var(--color-error);color:red}.files-list[data-v-056855cd] .files-list__row-actions{width:auto}.files-list[data-v-056855cd] .files-list__row-actions~td,.files-list[data-v-056855cd] .files-list__row-actions~th{margin:0 var(--cell-margin)}.files-list[data-v-056855cd] .files-list__row-actions button .button-vue__text{font-weight:normal}.files-list[data-v-056855cd] .files-list__row-action--inline{margin-right:7px}.files-list[data-v-056855cd] .files-list__row-mtime,.files-list[data-v-056855cd] .files-list__row-size{color:var(--color-text-maxcontrast)}.files-list[data-v-056855cd] .files-list__row-size{width:calc(var(--row-height)*1.5);justify-content:flex-end}.files-list[data-v-056855cd] .files-list__row-mtime{width:calc(var(--row-height)*2)}.files-list[data-v-056855cd] .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,iBAAA,CACA,aAAA,CACA,WAAA,CACA,2BAAA,CAIC,oCACC,mBAAA,CACA,0BAAA,CACA,YAAA,CACA,qBAAA,CACA,UAAA,CAEA,iBAAA,CAGA,uCACC,cAAA,CACA,0FAEC,6CAAA,CAMH,kDACC,YAAA,CACA,qBAAA,CAGD,iDACC,aAAA,CAGD,yDACC,iBAAA,CACA,KAAA,CACA,sBAAA,CACA,OAAA,CACA,YAAA,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\tposition: relative;\n\toverflow: auto;\n\theight: 100%;\n\twill-change: scroll-position;\n\n\t& :deep() {\n\t\t// Table head, body and footer\n\t\ttbody {\n\t\t\twill-change: padding;\n\t\t\tcontain: layout paint style;\n\t\t\tdisplay: flex;\n\t\t\tflex-direction: column;\n\t\t\twidth: 100%;\n\t\t\t// Necessary for virtual scrolling absolute\n\t\t\tposition: relative;\n\n\t\t\t/* Hover effect on tbody lines only */\n\t\t\ttr {\n\t\t\t\tcontain: strict;\n\t\t\t\t&:hover,\n\t\t\t\t&:focus {\n\t\t\t\t\tbackground-color: var(--color-background-dark);\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\t// Before table and thead\n\t\t.files-list__before {\n\t\t\tdisplay: flex;\n\t\t\tflex-direction: column;\n\t\t}\n\n\t\t.files-list__table {\n\t\t\tdisplay: block;\n\t\t}\n\n\t\t.files-list__thead-overlay {\n\t\t\tposition: absolute;\n\t\t\ttop: 0;\n\t\t\tleft: var(--row-height); // Save space for a row checkbox\n\t\t\tright: 0;\n\t\t\tz-index: 1000;\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 o=a},77292:(t,e,n)=>{"use strict";n.d(e,{Z:()=>o});var s=n(87537),i=n.n(s),r=n(23645),a=n.n(r)()(i());a.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 o=a},75136:(t,e,n)=>{"use strict";n.d(e,{Z:()=>o});var s=n(87537),i=n.n(s),r=n(23645),a=n.n(r)()(i());a.push([t.id,".app-navigation-entry__settings-quota--not-unlimited[data-v-18ceb3ce] .app-navigation-entry__name{margin-top:-6px}.app-navigation-entry__settings-quota progress[data-v-18ceb3ce]{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 o=a},41403:(t,e,n)=>{"use strict";n.d(e,{Z:()=>o});var s=n(87537),i=n.n(s),r=n(23645),a=n.n(r)()(i());a.push([t.id,".app-content[data-v-460d7d98]{display:flex;overflow:hidden;flex-direction:column;max-height:100%;position:relative}.files-list__header[data-v-460d7d98]{display:flex;align-items:center;flex:0 0;margin:4px 4px 4px 50px;max-width:100%}.files-list__header>*[data-v-460d7d98]{flex:0 0}.files-list__header-share-button[data-v-460d7d98]{opacity:.3}.files-list__header-share-button--shared[data-v-460d7d98]{opacity:1}.files-list__refresh-icon[data-v-460d7d98]{flex:0 0 44px;width:44px;height:44px}.files-list__loading-icon[data-v-460d7d98]{margin:auto}","",{version:3,sources:["webpack://./apps/files/src/views/FilesList.vue"],names:[],mappings:"AACA,8BAEC,YAAA,CACA,eAAA,CACA,qBAAA,CACA,eAAA,CACA,iBAAA,CAOA,qCACC,YAAA,CACA,kBAAA,CAEA,QAAA,CAEA,uBAAA,CACA,cAAA,CACA,uCAGC,QAAA,CAGD,kDACC,UAAA,CACA,0DACC,SAAA,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;\n}\n\n$margin: 4px;\n$navigationToggleSize: 50px;\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\t// Align with the navigation toggle icon\n\t\tmargin: $margin $margin $margin $navigationToggleSize;\n\t\tmax-width: 100%;\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\topacity: .3;\n\t\t\t&--shared {\n\t\t\t\topacity: 1;\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\n"],sourceRoot:""}]);const o=a},12131:(t,e,n)=>{"use strict";n.d(e,{Z:()=>o});var s=n(87537),i=n.n(s),r=n(23645),a=n.n(r)()(i());a.push([t.id,".app-navigation[data-v-3f2914e1] .app-navigation-entry-icon{background-repeat:no-repeat;background-position:center}.app-navigation[data-v-3f2914e1] .app-navigation-entry.active .button-vue.icon-collapse:not(:hover){color:var(--color-primary-element-text)}.app-navigation>ul.app-navigation__list[data-v-3f2914e1]{padding-bottom:var(--default-grid-baseline, 4px)}.app-navigation-entry__settings[data-v-3f2914e1]{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 o=a},79232:(t,e,n)=>{"use strict";n.d(e,{Z:()=>o});var s=n(87537),i=n.n(s),r=n(23645),a=n.n(r)()(i());a.push([t.id,".setting-link[data-v-decd355e]: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 o=a},46700:(t,e,n)=>{var s={"./af":42786,"./af.js":42786,"./ar":30867,"./ar-dz":14130,"./ar-dz.js":14130,"./ar-kw":96135,"./ar-kw.js":96135,"./ar-ly":56440,"./ar-ly.js":56440,"./ar-ma":47702,"./ar-ma.js":47702,"./ar-sa":16040,"./ar-sa.js":16040,"./ar-tn":37100,"./ar-tn.js":37100,"./ar.js":30867,"./az":31083,"./az.js":31083,"./be":9808,"./be.js":9808,"./bg":68338,"./bg.js":68338,"./bm":67438,"./bm.js":67438,"./bn":8905,"./bn-bd":76225,"./bn-bd.js":76225,"./bn.js":8905,"./bo":11560,"./bo.js":11560,"./br":1278,"./br.js":1278,"./bs":80622,"./bs.js":80622,"./ca":2468,"./ca.js":2468,"./cs":5822,"./cs.js":5822,"./cv":50877,"./cv.js":50877,"./cy":47373,"./cy.js":47373,"./da":24780,"./da.js":24780,"./de":59740,"./de-at":60217,"./de-at.js":60217,"./de-ch":60894,"./de-ch.js":60894,"./de.js":59740,"./dv":5300,"./dv.js":5300,"./el":50837,"./el.js":50837,"./en-au":78348,"./en-au.js":78348,"./en-ca":77925,"./en-ca.js":77925,"./en-gb":22243,"./en-gb.js":22243,"./en-ie":46436,"./en-ie.js":46436,"./en-il":47207,"./en-il.js":47207,"./en-in":44175,"./en-in.js":44175,"./en-nz":76319,"./en-nz.js":76319,"./en-sg":31662,"./en-sg.js":31662,"./eo":92915,"./eo.js":92915,"./es":55655,"./es-do":55251,"./es-do.js":55251,"./es-mx":96112,"./es-mx.js":96112,"./es-us":71146,"./es-us.js":71146,"./es.js":55655,"./et":5603,"./et.js":5603,"./eu":77763,"./eu.js":77763,"./fa":76959,"./fa.js":76959,"./fi":11897,"./fi.js":11897,"./fil":42549,"./fil.js":42549,"./fo":94694,"./fo.js":94694,"./fr":94470,"./fr-ca":63049,"./fr-ca.js":63049,"./fr-ch":52330,"./fr-ch.js":52330,"./fr.js":94470,"./fy":5044,"./fy.js":5044,"./ga":29295,"./ga.js":29295,"./gd":2101,"./gd.js":2101,"./gl":38794,"./gl.js":38794,"./gom-deva":27884,"./gom-deva.js":27884,"./gom-latn":23168,"./gom-latn.js":23168,"./gu":95349,"./gu.js":95349,"./he":24206,"./he.js":24206,"./hi":30094,"./hi.js":30094,"./hr":30316,"./hr.js":30316,"./hu":22138,"./hu.js":22138,"./hy-am":11423,"./hy-am.js":11423,"./id":29218,"./id.js":29218,"./is":90135,"./is.js":90135,"./it":90626,"./it-ch":10150,"./it-ch.js":10150,"./it.js":90626,"./ja":39183,"./ja.js":39183,"./jv":24286,"./jv.js":24286,"./ka":12105,"./ka.js":12105,"./kk":47772,"./kk.js":47772,"./km":18758,"./km.js":18758,"./kn":79282,"./kn.js":79282,"./ko":33730,"./ko.js":33730,"./ku":1408,"./ku.js":1408,"./ky":33291,"./ky.js":33291,"./lb":36841,"./lb.js":36841,"./lo":55466,"./lo.js":55466,"./lt":57010,"./lt.js":57010,"./lv":37595,"./lv.js":37595,"./me":39861,"./me.js":39861,"./mi":35493,"./mi.js":35493,"./mk":95966,"./mk.js":95966,"./ml":87341,"./ml.js":87341,"./mn":5115,"./mn.js":5115,"./mr":10370,"./mr.js":10370,"./ms":9847,"./ms-my":41237,"./ms-my.js":41237,"./ms.js":9847,"./mt":72126,"./mt.js":72126,"./my":56165,"./my.js":56165,"./nb":64924,"./nb.js":64924,"./ne":16744,"./ne.js":16744,"./nl":93901,"./nl-be":59814,"./nl-be.js":59814,"./nl.js":93901,"./nn":83877,"./nn.js":83877,"./oc-lnc":92135,"./oc-lnc.js":92135,"./pa-in":15858,"./pa-in.js":15858,"./pl":64495,"./pl.js":64495,"./pt":89520,"./pt-br":57971,"./pt-br.js":57971,"./pt.js":89520,"./ro":96459,"./ro.js":96459,"./ru":21793,"./ru.js":21793,"./sd":40950,"./sd.js":40950,"./se":10490,"./se.js":10490,"./si":90124,"./si.js":90124,"./sk":64249,"./sk.js":64249,"./sl":14985,"./sl.js":14985,"./sq":51104,"./sq.js":51104,"./sr":49131,"./sr-cyrl":79915,"./sr-cyrl.js":79915,"./sr.js":49131,"./ss":85893,"./ss.js":85893,"./sv":98760,"./sv.js":98760,"./sw":91172,"./sw.js":91172,"./ta":27333,"./ta.js":27333,"./te":23110,"./te.js":23110,"./tet":52095,"./tet.js":52095,"./tg":27321,"./tg.js":27321,"./th":9041,"./th.js":9041,"./tk":19005,"./tk.js":19005,"./tl-ph":75768,"./tl-ph.js":75768,"./tlh":89444,"./tlh.js":89444,"./tr":72397,"./tr.js":72397,"./tzl":28254,"./tzl.js":28254,"./tzm":51106,"./tzm-latn":30699,"./tzm-latn.js":30699,"./tzm.js":51106,"./ug-cn":9288,"./ug-cn.js":9288,"./uk":67691,"./uk.js":67691,"./ur":13795,"./ur.js":13795,"./uz":6791,"./uz-latn":60588,"./uz-latn.js":60588,"./uz.js":6791,"./vi":65666,"./vi.js":65666,"./x-pseudo":14378,"./x-pseudo.js":14378,"./yo":75805,"./yo.js":75805,"./zh-cn":83839,"./zh-cn.js":83839,"./zh-hk":55726,"./zh-hk.js":55726,"./zh-mo":99807,"./zh-mo.js":99807,"./zh-tw":74152,"./zh-tw.js":74152};function i(t){var e=r(t);return n(e)}function r(t){if(!n.o(s,t)){var e=new Error("Cannot find module '"+t+"'");throw e.code="MODULE_NOT_FOUND",e}return s[t]}i.keys=function(){return Object.keys(s)},i.resolve=r,t.exports=i,i.id=46700},36099:(t,e,n)=>{var s=n(48764).Buffer;!function(t){t.parser=function(t,e){return new r(t,e)},t.SAXParser=r,t.SAXStream=o,t.createStream=function(t,e){return new o(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?(P(n,"Malformed comment"),n.comment+="--"+r,n.state=T.COMMENT):n.state=T.TEXT;continue;case T.CDATA:"]"===r?n.state=T.CDATA_ENDING:n.cdata+=r;continue;case T.CDATA_ENDING:"]"===r?n.state=T.CDATA_ENDING_2:(n.cdata+="]"+r,n.state=T.CDATA);continue;case T.CDATA_ENDING_2:">"===r?(n.cdata&&S(n,"oncdata",n.cdata),S(n,"onclosecdata"),n.cdata="",n.state=T.TEXT):"]"===r?n.cdata+="]":(n.cdata+="]]"+r,n.state=T.CDATA);continue;case T.PROC_INST:"?"===r?n.state=T.PROC_INST_ENDING:A(r)?n.state=T.PROC_INST_BODY:n.procInstName+=r;continue;case T.PROC_INST_BODY:if(!n.procInstBody&&A(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:v(f,r)?n.tagName+=r:(O(n),">"===r?j(n):"/"===r?n.state=T.OPEN_TAG_SLASH:(A(r)||P(n,"Invalid character in tag name"),n.state=T.ATTRIB));continue;case T.OPEN_TAG_SLASH:">"===r?(j(n,!0),U(n)):(P(n,"Forward-slash in opening tag not followed by >"),n.state=T.ATTRIB);continue;case T.ATTRIB:if(A(r))continue;">"===r?j(n):"/"===r?n.state=T.OPEN_TAG_SLASH:v(p,r)?(n.attribName=r,n.attribValue="",n.state=T.ATTRIB_NAME):P(n,"Invalid attribute name");continue;case T.ATTRIB_NAME:"="===r?n.state=T.ATTRIB_VALUE:">"===r?(P(n,"Attribute without value"),n.attribValue=n.attribName,D(n),j(n)):A(r)?n.state=T.ATTRIB_NAME_SAW_WHITE:v(f,r)?n.attribName+=r:P(n,"Invalid attribute name");continue;case T.ATTRIB_NAME_SAW_WHITE:if("="===r)n.state=T.ATTRIB_VALUE;else{if(A(r))continue;P(n,"Attribute without value"),n.tag.attributes[n.attribName]="",n.attribValue="",S(n,"onattribute",{name:n.attribName,value:""}),n.attribName="",">"===r?j(n):v(p,r)?(n.attribName=r,n.state=T.ATTRIB_NAME):(P(n,"Invalid attribute name"),n.state=T.ATTRIB)}continue;case T.ATTRIB_VALUE:if(A(r))continue;w(r)?(n.q=r,n.state=T.ATTRIB_VALUE_QUOTED):(P(n,"Unquoted attribute value"),n.state=T.ATTRIB_VALUE_UNQUOTED,n.attribValue=r);continue;case T.ATTRIB_VALUE_QUOTED:if(r!==n.q){"&"===r?n.state=T.ATTRIB_VALUE_ENTITY_Q:n.attribValue+=r;continue}D(n),n.q="",n.state=T.ATTRIB_VALUE_CLOSED;continue;case T.ATTRIB_VALUE_CLOSED:A(r)?n.state=T.ATTRIB:">"===r?j(n):"/"===r?n.state=T.OPEN_TAG_SLASH:v(p,r)?(P(n,"No whitespace between attributes"),n.attribName=r,n.attribValue="",n.state=T.ATTRIB_NAME):P(n,"Invalid attribute name");continue;case T.ATTRIB_VALUE_UNQUOTED:if(!y(r)){"&"===r?n.state=T.ATTRIB_VALUE_ENTITY_U:n.attribValue+=r;continue}D(n),">"===r?j(n):n.state=T.ATTRIB;continue;case T.CLOSE_TAG:if(n.tagName)">"===r?U(n):v(f,r)?n.tagName+=r:n.script?(n.script+=""===r?U(n):P(n,"Invalid characters in closing tag");continue;case T.TEXT_ENTITY:case T.ATTRIB_VALUE_ENTITY_Q:case T.ATTRIB_VALUE_ENTITY_U:var u,d;switch(n.state){case T.TEXT_ENTITY:u=T.TEXT,d="textNode";break;case T.ATTRIB_VALUE_ENTITY_Q:u=T.ATTRIB_VALUE_QUOTED,d="attribValue";break;case T.ATTRIB_VALUE_ENTITY_U:u=T.ATTRIB_VALUE_UNQUOTED,d="attribValue"}if(";"===r)if(n.opt.unparsedEntities){var m=R(n);n.entity="",n.state=u,n.write(m)}else n[d]+=R(n),n.entity="",n.state=u;else v(n.entity.length?h:g,r)?n.entity+=r:(P(n,"Invalid character in entity name"),n[d]+="&"+n.entity+r,n.entity="",n.state=u);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,a=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:I(e,"Max buffer length exceeded: "+i[r])}s=Math.max(s,o)}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(42830).Stream}catch(t){e=function(){}}e||(e=function(){});var a=t.EVENTS.filter((function(t){return"error"!==t&&"end"!==t}));function o(t,n){if(!(this instanceof o))return new o(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,a.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})}))}o.prototype=Object.create(e.prototype,{constructor:{value:o}}),o.prototype.write=function(t){if("function"==typeof s&&"function"==typeof s.isBuffer&&s.isBuffer(t)){if(!this._decoder){var e=n(32553).s;this._decoder=new e("utf8")}t=this._decoder.write(t)}return this._parser.write(t.toString()),this.emit("data",t),!0},o.prototype.end=function(t){return t&&t.length&&this.write(t),this._parser.end(),!0},o.prototype.on=function(t,n){var s=this;return s._parser["on"+t]||-1===a.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",u="http://www.w3.org/XML/1998/namespace",d="http://www.w3.org/2000/xmlns/",m={xml:u,xmlns:d},p=/[:_A-Za-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C-\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD]/,f=/[:_A-Za-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C-\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD\u00B7\u0300-\u036F\u203F-\u2040.\d-]/,g=/[#:_A-Za-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C-\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD]/,h=/[#:_A-Za-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C-\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD\u00B7\u0300-\u036F\u203F-\u2040.\d-]/;function A(t){return" "===t||"\n"===t||"\r"===t||"\t"===t}function w(t){return'"'===t||"'"===t}function y(t){return">"===t||A(t)}function v(t,e){return t.test(e)}function b(t,e){return!v(t,e)}var C,x,_,T=0;for(var E 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[E]]=E;function k(t,e,n){t[e]&&t[e](n)}function S(t,e,n){t.textNode&&L(t),k(t,e,n)}function L(t){t.textNode=N(t.opt,t.textNode),t.textNode&&k(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 I(t,e){return L(t),t.trackPosition&&(e+="\nLine: "+t.line+"\nColumn: "+t.column+"\nChar: "+t.c),e=new Error(e),t.error=e,k(t,"onerror",e),t}function F(t){return t.sawRoot&&!t.closedRoot&&P(t,"Unclosed root tag"),t.state!==T.BEGIN&&t.state!==T.BEGIN_WHITESPACE&&t.state!==T.TEXT&&I(t,"Unexpected end"),L(t),t.c="",t.closed=!0,k(t,"onend"),r.call(t,t.strict,t.opt),t}function P(t,e){if("object"!=typeof t||!(t instanceof r))throw new Error("bad call to strictFail");t.strict&&I(t,e)}function O(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 B(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=B(t.attribName,!0),n=e.prefix,s=e.local;if("xmlns"===n)if("xml"===s&&t.attribValue!==u)P(t,"xml: prefix must be bound to "+u+"\nActual: "+t.attribValue);else if("xmlns"===s&&t.attribValue!==d)P(t,"xmlns: prefix must be bound to "+d+"\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 j(t,e){if(t.opt.xmlns){var n=t.tag,s=B(t.tagName);n.prefix=s.prefix,n.local=s.local,n.uri=n.ns[s.prefix]||"",n.prefix&&!n.uri&&(P(t,"Unbound namespace prefix: "+JSON.stringify(t.tagName)),n.uri=s.prefix);var i=t.tags[t.tags.length-1]||t;n.ns&&i.ns!==n.ns&&Object.keys(n.ns).forEach((function(e){S(t,"onopennamespace",{prefix:e,uri:n.ns[e]})}));for(var r=0,a=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;)P(t,"Unexpected close tag");if(e<0)return P(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 a={};for(var o in r.ns)a[o]=r.ns[o];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?(P(t,"Invalid character entity"),"&"+t.entity+";"):String.fromCodePoint(e))}function z(t,e){"<"===e?(t.state=T.OPEN_WAKA,t.startTagPosition=t.position):A(e)||(P(t,"Non-whitespace before first tag."),t.textNode=e,t.state=T.TEXT)}function M(t,e){var n="";return e1114111||x(a)!==a)throw RangeError("Invalid code point: "+a);a<=65535?n.push(a):(t=55296+((a-=65536)>>10),e=a%1024+56320,n.push(t,e)),(s+1===i||n.length>16384)&&(r+=C.apply(null,n),n.length=0)}return r},Object.defineProperty?Object.defineProperty(String,"fromCodePoint",{value:_,configurable:!0,writable:!0}):String.fromCodePoint=_)}(e)},24889:function(t,e,n){var s=n(34155);!function(t,e){"use strict";if(!t.setImmediate){var n,i,r,a,o,l=1,c={},u=!1,d=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}}()?(a="setImmediate$"+Math.random()+"$",o=function(e){e.source===t&&"string"==typeof e.data&&0===e.data.indexOf(a)&&f(+e.data.slice(a.length))},t.addEventListener?t.addEventListener("message",o,!1):t.attachEvent("onmessage",o),n=function(e){t.postMessage(a+e,"*")}):t.MessageChannel?((r=new MessageChannel).port1.onmessage=function(t){f(t.data)},n=function(t){r.port2.postMessage(t)}):d&&"onreadystatechange"in d.createElement("script")?(i=d.documentElement,n=function(t){var e=d.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),a=e(t.ignoreSameProgress,!1),o=null,l=null,c=null,u=(n=e(t.historyTimeConstant,2.5),function(t,e,s){return t+s/(s+n)*(e-t)});function d(){m(i)}function m(t,e){if("number"!=typeof e&&(e=Date.now()),l!==e&&(!a||c!==t)){if(null===l||null===c)return c=t,void(l=e);var n=.001*(e-l),s=(t-c)/n;o=null===o?s:u(o,s,n),c=t,l=e}}return{start:d,reset:function(){o=null,l=null,c=null,r&&d()},report:m,estimate:function(t){if(null===c)return 1/0;if(c>=s)return 0;if(null===o)return 1/0;var e=(s-c)/o;return"number"==typeof t&&"number"==typeof l&&(e-=.001*(t-l)),Math.max(0,e)},rate:function(){return null===o?0:o}}}},75475: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(24889),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},50306:function(t,e){(function(){"use strict";e.stripBOM=function(t){return"\ufeff"===t[0]?t.substring(1):t}}).call(this)},34096:function(t,e,n){(function(){"use strict";var t,s,i,r,a,o={}.hasOwnProperty;t=n(5532),s=n(38381).defaults,r=function(t){return"string"==typeof t&&(t.indexOf("&")>=0||t.indexOf(">")>=0||t.indexOf("<")>=0)},a=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])o.call(n,e)&&(i=n[e],this.options[e]=i);for(e in t)o.call(t,e)&&(i=t[e],this.options[e]=i)}return e.prototype.buildObject=function(e){var n,i,l,c,u,d;return n=this.options.attrkey,i=this.options.charkey,1===Object.keys(e).length&&this.options.rootName===s[.2].rootName?e=e[u=Object.keys(e)[0]]:u=this.options.rootName,d=this,l=function(t,e){var s,c,u,m,p,f;if("object"!=typeof e)d.options.cdata&&r(e)?t.raw(a(e)):t.txt(e);else if(Array.isArray(e)){for(m in e)if(o.call(e,m))for(p in c=e[m])u=c[p],t=l(t.ele(p),u).up()}else for(p in e)if(o.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=d.options.cdata&&r(c)?t.raw(a(c)):t.txt(c);else if(Array.isArray(c))for(m in c)o.call(c,m)&&(t="string"==typeof(u=c[m])?d.options.cdata&&r(u)?t.ele(p).raw(a(u)).up():t.ele(p,u).up():l(t.ele(p),u).up());else"object"==typeof c?t=l(t.ele(p),c).up():"string"==typeof c&&d.options.cdata&&r(c)?t=t.ele(p).raw(a(c)).up():(null==c&&(c=""),t=t.ele(p,c.toString()).up());return t},c=t.create(u,this.options.xmldec,this.options.doctype,{headless:this.options.headless,allowSurrogateChars:this.options.allowSurrogateChars}),l(c,e).end(this.options.renderOpts)},e}()}).call(this)},38381: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)},99082:function(t,e,n){(function(){"use strict";var t,s,i,r,a,o,l,c,u,d=function(t,e){return function(){return t.apply(e,arguments)}},m={}.hasOwnProperty;c=n(36099),r=n(17187),t=n(50306),l=n(7526),u=n(75475).setImmediate,s=n(38381).defaults,a=function(t){return"object"==typeof t&&null!=t&&0===Object.keys(t).length},o=function(t,e,n){var s,i;for(s=0,i=t.length;s0&&(c[t.options.childkey]=d),d=c;return s.length>0?t.assignOrPush(g,u,d):(t.options.explicitRoot&&(f=d,i(d={},u,f)),t.resultObject=d,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,u(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)},7526: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)},5055:function(t,e,n){(function(){"use strict";var t,s,i,r,a={}.hasOwnProperty;s=n(38381),t=n(34096),i=n(99082),r=n(7526),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)a.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)},17557:function(t){(function(){t.exports={Disconnected:1,Preceding:2,Following:4,Contains:8,ContainedBy:16,ImplementationSpecific:32}}).call(this)},39335: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)},78369:function(t){(function(){var e,n,s,i,r,a,o,l=[].slice,c={}.hasOwnProperty;e=function(){var t,e,n,s,i,a;if(a=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)},66170:function(t,e,n){(function(){var e,s,i={}.hasOwnProperty;e=n(39335),s=n(6488),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)},6488:function(t,e,n){(function(){var e,s={}.hasOwnProperty;e=n(32026),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)},62096:function(t,e,n){(function(){var e,s,i={}.hasOwnProperty;e=n(39335),s=n(6488),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)},30383:function(t,e,n){(function(){var e,s;e=n(93933),s=n(66210),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)},93933:function(t){(function(){t.exports=function(){function t(){}return t.prototype.handleError=function(t){throw new Error(t)},t}()}).call(this)},91770: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)},66210: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)},51179:function(t,e,n){(function(){var e,s,i={}.hasOwnProperty;s=n(32026),e=n(39335),t.exports=function(t){function n(t,s,i,r,a,o){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(!a)throw new Error("Missing DTD attribute default. "+this.debugInfo(s));if(0!==a.indexOf("#")&&(a="#"+a),!a.match(/^(#REQUIRED|#IMPLIED|#FIXED|#DEFAULT)$/))throw new Error("Invalid default value type; expected: #REQUIRED, #IMPLIED, #FIXED or #DEFAULT. "+this.debugInfo(s));if(o&&!a.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),o&&(this.defaultValue=this.stringify.dtdAttDefault(o)),this.defaultValueType=a}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)},36347:function(t,e,n){(function(){var e,s,i={}.hasOwnProperty;s=n(32026),e=n(39335),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)},99078:function(t,e,n){(function(){var e,s,i,r={}.hasOwnProperty;i=n(78369).isObject,s=n(32026),e=n(39335),t.exports=function(t){function n(t,s,r,a){if(n.__super__.constructor.call(this,t),null==r)throw new Error("Missing DTD entity name. "+this.debugInfo(r));if(null==a)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(a)){if(!a.pubID&&!a.sysID)throw new Error("Public and/or system identifiers are required for an external entity. "+this.debugInfo(r));if(a.pubID&&!a.sysID)throw new Error("System identifier is required for a public external entity. "+this.debugInfo(r));if(this.internal=!1,null!=a.pubID&&(this.pubID=this.stringify.dtdPubID(a.pubID)),null!=a.sysID&&(this.sysID=this.stringify.dtdSysID(a.sysID)),null!=a.nData&&(this.nData=this.stringify.dtdNData(a.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(a),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)},44777:function(t,e,n){(function(){var e,s,i={}.hasOwnProperty;s=n(32026),e=n(39335),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)},59077:function(t,e,n){(function(){var e,s,i,r={}.hasOwnProperty;i=n(78369).isObject,s=n(32026),e=n(39335),t.exports=function(t){function n(t,s,r,a){var o;n.__super__.constructor.call(this,t),i(s)&&(s=(o=s).version,r=o.encoding,a=o.standalone),s||(s="1.0"),this.type=e.Declaration,this.version=this.stringify.xmlVersion(s),null!=r&&(this.encoding=this.stringify.xmlEncoding(r)),null!=a&&(this.standalone=this.stringify.xmlStandalone(a))}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)},8225:function(t,e,n){(function(){var e,s,i,r,a,o,l,c,u={}.hasOwnProperty;c=n(78369).isObject,l=n(32026),e=n(39335),s=n(51179),r=n(99078),i=n(36347),a=n(44777),o=n(40663),t.exports=function(t){function n(t,s,i){var r,a,o,l,u,d;if(n.__super__.constructor.call(this,t),this.type=e.DocType,t.children)for(a=0,o=(l=t.children).length;a=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,a;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,a=t.attribs)T.call(a,r)&&(n=a[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)},78833:function(t,e,n){(function(){var e,s,i={}.hasOwnProperty;s=n(32026),e=n(39335),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)},32161:function(t,e,n){(function(){var e,s,i,r,a,o,l,c,u={}.hasOwnProperty;c=n(78369),l=c.isObject,o=c.isFunction,a=c.getValue,r=n(32026),e=n(39335),s=n(72750),i=n(40663),t.exports=function(t){function n(t,s,i){var r,a,o,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(a=0,o=(l=t.children).length;a=i;e=0<=i?++s:--s)if(!this.attribs[e].isEqualNode(t.attribs[e]))return!1;return!0},n}(r)}).call(this)},40663: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)},32026:function(t,e,n){(function(){var e,s,i,r,a,o,l,c,u,d,m,p,f,g,h,A,w,y={}.hasOwnProperty;w=n(78369),A=w.isObject,h=w.isFunction,g=w.isEmpty,f=w.getValue,c=null,i=null,r=null,a=null,o=null,m=null,p=null,d=null,l=null,s=null,u=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(32161),i=n(66170),r=n(62096),a=n(59077),o=n(8225),m=n(79406),p=n(43595),d=n(19181),l=n(78833),s=n(39335),u=n(82390),n(40663),e=n(17557))}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 u(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,a;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,a=(o=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 a,o,l,c,u,d,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)&&(a=p[m],this.attribute(a,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,u=0,d=(f=t.children).length;u")}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)},26434:function(t,e,n){(function(){var e,s={}.hasOwnProperty;e=n(60751),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,a;for(e=this.filterOptions(e),r="",s=0,i=(a=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,a,o,l;if(n||(n=0),this.openNode(t,e,n),e.state=s.OpenTag,o=this.indent(t,e,n),o+="0){for(o+=" [",o+=this.endline(t,e,n),e.state=s.InsideTag,r=0,a=(l=t.children).length;r",o+=this.endline(t,e,n),e.state=s.None,this.closeNode(t,e,n),o},t.prototype.element=function(t,n,i){var a,o,l,c,u,d,m,p,f,g,h,A,w,y;for(f in i||(i=0),g=!1,h="",this.openNode(t,n,i),n.state=s.OpenTag,h+=this.indent(t,n,i)+"<"+t.name,A=t.attribs)r.call(A,f)&&(a=A[f],h+=this.attribute(a,n,i));if(c=0===(l=t.children.length)?null:t.children[0],0===l||t.children.every((function(t){return(t.type===e.Text||t.type===e.Raw)&&""===t.value})))n.allowEmpty?(h+=">",n.state=s.CloseTag,h+=""+this.endline(t,n,i)):(n.state=s.CloseTag,h+=n.spaceBeforeSlash+"/>"+this.endline(t,n,i));else if(!n.pretty||1!==l||c.type!==e.Text&&c.type!==e.Raw||null==c.value){if(n.dontPrettyTextNodes)for(u=0,m=(w=t.children).length;u"+this.endline(t,n,i),n.state=s.InsideTag,d=0,p=(y=t.children).length;d",g&&n.suppressPrettyCount--,h+=this.endline(t,n,i),n.state=s.None}else h+=">",n.state=s.InsideTag,n.suppressPrettyCount++,g=!0,h+=this.writeChildNode(c,n,i+1),n.suppressPrettyCount--,g=!1,n.state=s.CloseTag,h+=""+this.endline(t,n,i);return this.closeNode(t,n,i),h},t.prototype.writeChildNode=function(t,n,s){switch(t.type){case e.CData:return this.cdata(t,n,s);case e.Comment:return this.comment(t,n,s);case e.Element:return this.element(t,n,s);case e.Raw:return this.raw(t,n,s);case e.Text:return this.text(t,n,s);case e.ProcessingInstruction:return this.processingInstruction(t,n,s);case e.Dummy:return"";case e.Declaration:return this.declaration(t,n,s);case e.DocType:return this.docType(t,n,s);case e.AttributeDeclaration:return this.dtdAttList(t,n,s);case e.ElementDeclaration:return this.dtdElement(t,n,s);case e.EntityDeclaration:return this.dtdEntity(t,n,s);case e.NotationDeclaration:return this.dtdNotation(t,n,s);default:throw new Error("Unknown XML node type: "+t.constructor.name)}},t.prototype.processingInstruction=function(t,e,n){var i;return this.openNode(t,e,n),e.state=s.OpenTag,i=this.indent(t,e,n)+"",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)},5532:function(t,e,n){(function(){var e,s,i,r,a,o,l,c,u,d;d=n(78369),c=d.assign,u=d.isFunction,i=n(91770),r=n(66934),a=n(79227),l=n(26434),o=n(81996),e=n(39335),s=n(30594),t.exports.create=function(t,e,n,s){var i,a;if(null==t)throw new Error("Root element needs a name.");return s=c({},e,n,s),a=(i=new r(s)).element(t),s.headless||(i.declaration(s),null==s.pubID&&null==s.sysID||i.dtd(s)),a},t.exports.begin=function(t,e,n){var s;return u(t)&&(e=(s=[t,e])[0],n=s[1],t={}),e?new a(t,e,n):new r(t)},t.exports.stringWriter=function(t){return new l(t)},t.exports.streamWriter=function(t,e){return new o(t,e)},t.exports.implementation=new i,t.exports.nodeType=e,t.exports.writerState=s}).call(this)},88717: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"},79839: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"},52361:()=>{},94616:()=>{},5656:(t,e,n)=>{"use strict";n.d(e,{$B:()=>F,DT:()=>h,De:()=>y,G7:()=>re,Ir:()=>oe,NB:()=>I,RL:()=>U,Ti:()=>z,Tv:()=>k,Vn:()=>w,_o:()=>O,e4:()=>N,gt:()=>P,h7:()=>T,p$:()=>A,pC:()=>j,rp:()=>D,sS:()=>g,tB:()=>E,y3:()=>v});var s=n(77958),i=n(17499),r=n(31352),a=n(62520),o=n(65358),l=n(79753),c=n(14596);const u=null===(d=(0,s.ts)())?(0,i.IY)().setApp("files").build():(0,i.IY)().setApp("files").setUid(d.uid).build();var d;class m{_entries=[];registerEntry(t){this.validateEntry(t),this._entries.push(t)}unregisterEntry(t){const e="string"==typeof t?this.getEntryIndex(t):this.getEntryIndex(t.id);-1!==e?this._entries.splice(e,1):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")}}const p=["B","KB","MB","GB","TB","PB"],f=["B","KiB","MiB","GiB","TiB","PiB"];function g(t,e=!1,n=!1,s=!1){n=n&&!s,"string"==typeof t&&(t=Number(t));let i=t>0?Math.floor(Math.log(t)/Math.log(s?1e3:1024)):0;i=Math.min((n?f.length:p.length)-1,i);const a=n?f[i]:p[i];let o=(t/Math.pow(s?1e3:1024,i)).toFixed(1);return!0===e&&0===i?("0.0"!==o?"< 1 ":"0 ")+(n?f[1]:p[1]):(o=i<2?parseFloat(o).toFixed(0):parseFloat(o).toLocaleString((0,r.aj)()),o+" "+a)}var h=(t=>(t.DEFAULT="default",t.HIDDEN="hidden",t))(h||{});class A{_action;constructor(t){this.validateAction(t),this._action=t}get id(){return this._action.id}get displayName(){return this._action.displayName}get title(){return this._action.title}get iconSvgInline(){return this._action.iconSvgInline}get enabled(){return this._action.enabled}get exec(){return this._action.exec}get execBatch(){return this._action.execBatch}get order(){return this._action.order}get parent(){return this._action.parent}get default(){return this._action.default}get inline(){return this._action.inline}get renderInline(){return this._action.renderInline}validateAction(t){if(!t.id||"string"!=typeof t.id)throw new Error("Invalid id");if(!t.displayName||"function"!=typeof t.displayName)throw new Error("Invalid displayName function");if("title"in t&&"function"!=typeof t.title)throw new Error("Invalid title function");if(!t.iconSvgInline||"function"!=typeof t.iconSvgInline)throw new Error("Invalid iconSvgInline function");if(!t.exec||"function"!=typeof t.exec)throw new Error("Invalid exec function");if("enabled"in t&&"function"!=typeof t.enabled)throw new Error("Invalid enabled function");if("execBatch"in t&&"function"!=typeof t.execBatch)throw new Error("Invalid execBatch function");if("order"in t&&"number"!=typeof t.order)throw new Error("Invalid order");if("parent"in t&&"string"!=typeof t.parent)throw new Error("Invalid parent");if(t.default&&!Object.values(h).includes(t.default))throw new Error("Invalid default");if("inline"in t&&"function"!=typeof t.inline)throw new Error("Invalid inline function");if("renderInline"in t&&"function"!=typeof t.renderInline)throw new Error("Invalid renderInline function")}}const w=function(){return typeof window._nc_fileactions>"u"&&(window._nc_fileactions=[],u.debug("FileActions initialized")),window._nc_fileactions},y=function(){return typeof window._nc_filelistheader>"u"&&(window._nc_filelistheader=[],u.debug("FileListHeaders initialized")),window._nc_filelistheader};var v=(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))(v||{});const b=["d:getcontentlength","d:getcontenttype","d:getetag","d:getlastmodified","d:quota-available-bytes","d:resourcetype","nc:has-preview","nc:is-encrypted","nc:mount-type","nc:share-attributes","oc:comments-unread","oc:favorite","oc:fileid","oc:owner-display-name","oc:owner-id","oc:permissions","oc:share-types","oc:size","ocs:share-permissions"],C={d:"DAV:",nc:"http://nextcloud.org/ns",oc:"http://owncloud.org/ns",ocs:"http://open-collaboration-services.org/ns"},x=function(){return typeof window._nc_dav_properties>"u"&&(window._nc_dav_properties=[...b]),window._nc_dav_properties.map((t=>`<${t} />`)).join(" ")},_=function(){return typeof window._nc_dav_namespaces>"u"&&(window._nc_dav_namespaces={...C}),Object.keys(window._nc_dav_namespaces).map((t=>`xmlns:${t}="${window._nc_dav_namespaces?.[t]}"`)).join(" ")},T=function(){return`\n\t\t\n\t\t\t\n\t\t\t\t${x()}\n\t\t\t\n\t\t`},E=function(t){return`\n\n\t\n\t\t\n\t\t\t\n\t\t\t\t${x()}\n\t\t\t\n\t\t\n\t\t\n\t\t\t\n\t\t\t\t/files/${(0,s.ts)()?.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`};var k=(t=>(t.Folder="folder",t.File="file",t))(k||{});const S=function(t,e){return null!==t.match(e)},L=(t,e)=>{if(t.id&&"number"!=typeof t.id)throw new Error("Invalid id type of value");if(!t.source)throw new Error("Missing mandatory source");try{new URL(t.source)}catch{throw new Error("Invalid source format, source must be a valid URL")}if(!t.source.startsWith("http"))throw new Error("Invalid source format, only http(s) is supported");if(t.mtime&&!(t.mtime instanceof Date))throw new Error("Invalid mtime type");if(t.crtime&&!(t.crtime instanceof Date))throw new Error("Invalid crtime type");if(!t.mime||"string"!=typeof t.mime||!t.mime.match(/^[-\w.]+\/[-+\w.]+$/gi))throw new Error("Missing or invalid mandatory mime");if("size"in t&&"number"!=typeof t.size&&void 0!==t.size)throw new Error("Invalid size type");if("permissions"in t&&void 0!==t.permissions&&!("number"==typeof t.permissions&&t.permissions>=v.NONE&&t.permissions<=v.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&&S(t.source,e)){const n=t.source.match(e)[0];if(!t.source.includes((0,a.join)(n,t.root)))throw new Error("The root must be relative to the service. e.g /files/emma")}if(t.status&&!Object.values(N).includes(t.status))throw new Error("Status must be a valid NodeStatus")};var N=(t=>(t.NEW="new",t.FAILED="failed",t.LOADING="loading",t.LOCKED="locked",t))(N||{});class I{_data;_attributes;_knownDavService=/(remote|public)\.php\/(web)?dav/i;constructor(t,e){L(t,e||this._knownDavService),this._data=t;const n={set:(t,e,n)=>(this.updateMtime(),Reflect.set(t,e,n)),deleteProperty:(t,e)=>(this.updateMtime(),Reflect.deleteProperty(t,e))};this._attributes=new Proxy(t.attributes||{},n),delete this._data.attributes,e&&(this._knownDavService=e)}get source(){return this._data.source.replace(/\/$/i,"")}get encodedSource(){const{origin:t}=new URL(this.source);return t+(0,o.Ec)(this.source.slice(t.length))}get basename(){return(0,a.basename)(this.source)}get extension(){return(0,a.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,a.dirname)(t.slice(e+n.length)||"/")}const t=new URL(this.source);return(0,a.dirname)(t.pathname)}get mime(){return this._data.mime}get mtime(){return this._data.mtime}get crtime(){return this._data.crtime}get size(){return this._data.size}get attributes(){return this._attributes}get permissions(){return null!==this.owner||this.isDavRessource?void 0!==this._data.permissions?this._data.permissions:v.NONE:v.READ}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,a.dirname)(this.source).split(this._knownDavService).pop()||null}get path(){if(this.root){let t=this.source;this.isDavRessource&&(t=t.split(this._knownDavService).pop());const e=t.indexOf(this.root),n=this.root.replace(/\/$/,"");return t.slice(e+n.length)||"/"}return(this.dirname+"/"+this.basename).replace(/\/\//g,"/")}get fileid(){return this._data?.id||this.attributes?.fileid}get status(){return this._data?.status}set status(t){this._data.status=t}move(t){L({...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,a.dirname)(this.source)+"/"+t)}updateMtime(){this._data.mtime&&(this._data.mtime=new Date)}}class F extends I{get type(){return k.File}}class P extends I{constructor(t){super({...t,mime:"httpd/unix-directory"})}get type(){return k.Folder}get extension(){return null}get mime(){return"httpd/unix-directory"}}const O=`/files/${(0,s.ts)()?.uid}`,B=(0,l.generateRemoteUrl)("dav"),D=function(t=B,e={}){const n=(0,c.eI)(t,{headers:e});function i(t){n.setHeaders({...e,"X-Requested-With":"XMLHttpRequest",requesttoken:t??""})}return(0,s._S)(i),i((0,s.IH)()),(0,c.lD)().patch("fetch",((t,e)=>{const n=e.headers;return n?.method&&(e.method=n.method,delete n.method),fetch(t,e)})),n},j=async(t,e="/",n=O)=>(await t.getDirectoryContents(`${n}${e}`,{details:!0,data:`\n\t\t\n\t\t\t\n\t\t\t\t${x()}\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))),U=function(t,e=O,n=B){const i=t.props,r=function(t=""){let e=v.NONE;return t&&((t.includes("C")||t.includes("K"))&&(e|=v.CREATE),t.includes("G")&&(e|=v.READ),(t.includes("W")||t.includes("N")||t.includes("V"))&&(e|=v.UPDATE),t.includes("D")&&(e|=v.DELETE),t.includes("R")&&(e|=v.SHARE)),e}(i?.permissions),a=i?.["owner-id"]||(0,s.ts)()?.uid,o={id:i?.fileid||0,source:`${n}${t.filename}`,mtime:new Date(Date.parse(t.lastmod)),mime:t.mime,size:i?.size||Number.parseInt(i.getcontentlength||"0"),permissions:r,owner:a,root:e,attributes:{...t,...i,hasPreview:i?.["has-preview"]}};return delete o.attributes?.props,"file"===t.type?new F(o):new P(o)};class R{_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 z=function(){return typeof window._nc_navigation>"u"&&(window._nc_navigation=new R,u.debug("Navigation service initialized")),window._nc_navigation};class M{_column;constructor(t){V(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 V=function(t){if(!t.id||"string"!=typeof t.id)throw new Error("A column id is required");if(!t.title||"string"!=typeof t.title)throw new Error("A column title is required");if(!t.render||"function"!=typeof t.render)throw new Error("A render function is required");if(t.sort&&"function"!=typeof t.sort)throw new Error("Column sortFunction must be a function");if(t.summary&&"function"!=typeof t.summary)throw new Error("Column summary must be a function");return!0};var $={},q={};!function(t){const e=":A-Za-z_\\u00C0-\\u00D6\\u00D8-\\u00F6\\u00F8-\\u02FF\\u0370-\\u037D\\u037F-\\u1FFF\\u200C-\\u200D\\u2070-\\u218F\\u2C00-\\u2FEF\\u3001-\\uD7FF\\uF900-\\uFDCF\\uFDF0-\\uFFFD",n="["+e+"]["+e+"\\-.\\d\\u00B7\\u0300-\\u036F\\u203F-\\u2040]*",s=new RegExp("^"+n+"$");t.isExist=function(t){return typeof t<"u"},t.isEmptyObject=function(t){return 0===Object.keys(t).length},t.merge=function(t,e,n){if(e){const s=Object.keys(e),i=s.length;for(let r=0;r"u")},t.getAllMatches=function(t,e){const n=[];let s=e.exec(t);for(;s;){const i=[];i.startIndex=e.lastIndex-s[0].length;const r=s.length;for(let t=0;t5&&"xml"===s)return nt("InvalidXml","XML declaration allowed only at the start of the document.",rt(t,e));if("?"==t[e]&&">"==t[e+1]){e++;break}continue}return e}function W(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}$.validate=function(t,e){e=Object.assign({},G,e);const n=[];let s=!1,i=!1;"\ufeff"===t[0]&&(t=t.substr(1));for(let r=0;r"!==t[r]&&" "!==t[r]&&"\t"!==t[r]&&"\n"!==t[r]&&"\r"!==t[r];r++)l+=t[r];if(l=l.trim(),"/"===l[l.length-1]&&(l=l.substring(0,l.length-1),r--),!it(l)){let e;return e=0===l.trim().length?"Invalid space after '<'.":"Tag '"+l+"' is an invalid name.",nt("InvalidTag",e,rt(t,r))}const c=Q(t,r);if(!1===c)return nt("InvalidAttr","Attributes for '"+l+"' have open quote.",rt(t,r));let u=c.value;if(r=c.index,"/"===u[u.length-1]){const n=r-u.length;u=u.substring(0,u.length-1);const i=tt(u,e);if(!0!==i)return nt(i.err.code,i.err.msg,rt(t,n+i.err.line));s=!0}else if(o){if(!c.tagClosed)return nt("InvalidTag","Closing tag '"+l+"' doesn't have proper closing.",rt(t,r));if(u.trim().length>0)return nt("InvalidTag","Closing tag '"+l+"' can't have attributes or invalid starting.",rt(t,a));{const e=n.pop();if(l!==e.tagName){let n=rt(t,e.tagStartPos);return nt("InvalidTag","Expected closing tag '"+e.tagName+"' (opened in line "+n.line+", col "+n.col+") instead of closing tag '"+l+"'.",rt(t,a))}0==n.length&&(i=!0)}}else{const o=tt(u,e);if(!0!==o)return nt(o.err.code,o.err.msg,rt(t,r-u.length+o.err.line));if(!0===i)return nt("InvalidXml","Multiple possible root nodes found.",rt(t,r));-1!==e.unpairedTags.indexOf(l)||n.push({tagName:l,tagStartPos:a}),s=!0}for(r++;r0)||nt("InvalidXml","Invalid '"+JSON.stringify(n.map((t=>t.tagName)),null,4).replace(/\r?\n/g,"")+"' found.",{line:1,col:1}):nt("InvalidXml","Start tag expected.",1)};const K='"',J="'";function Q(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 X=new RegExp("(\\s*)([^\\s=]+)(\\s*=)?(\\s*(['\"])(([\\s\\S])*?)\\5)?","g");function tt(t,e){const n=H.getAllMatches(t,X),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}};ot.buildOptions=function(t){return Object.assign({},lt,t)},ot.defaultOptions=lt;const ct=q;function ut(t,e){let n="";for(;e0?this.child.push({[t.tagname]:t.child,":@":t[":@"]}):this.child.push({[t.tagname]:t.child})}},Ct=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,a="";for(;e"===t[e]){if(r?"-"===t[e-1]&&"-"===t[e-2]&&(r=!1,s--):s--,0===s)break}else"["===t[e]?i=!0:a+=t[e];else{if(i&&mt(t,e))e+=7,[entityName,val,e]=ut(t,e+1),-1===val.indexOf("&")&&(n[ht(entityName)]={regx:RegExp(`&${entityName};`,"g"),val});else if(i&&pt(t,e))e+=8;else if(i&&ft(t,e))e+=8;else if(i&>(t,e))e+=9;else{if(!dt)throw new Error("Invalid DOCTYPE");r=!0}s++,a=""}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&&At.test(n))return Number.parseInt(n,16);{const s=wt.exec(n);if(s){const i=s[1],r=s[2];let a=function(t){return t&&-1!==t.indexOf(".")&&("."===(t=t.replace(/0+$/,""))?t="0":"."===t[0]?t="0"+t:"."===t[t.length-1]&&(t=t.substr(0,t.length-1))),t}(s[3]);const o=s[4]||s[6];if(!e.leadingZeros&&r.length>0&&i&&"."!==n[2])return t;if(!e.leadingZeros&&r.length>0&&!i&&"."!==n[1])return t;{const s=Number(n),l=""+s;return-1!==l.search(/[eE]/)||o?e.eNotation?s:t:-1!==n.indexOf(".")?"0"===l&&""===a||l===a||i&&l==="-"+a?s:t:r?a===l||i+a===l?s:t:n===l||n===i+l?s:t}}return t}};function _t(t){const e=Object.keys(t);for(let n=0;n0)){a||(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}"<((!\\[CDATA\\[([\\s\\S]*?)(]]>))|((NAME:)?(NAME))([^>]*)>|((\\/)(NAME)\\s*>))([^<]*)".replace(/NAME/g,vt.nameRegexp);const kt=new RegExp("([^\\s=]+)\\s*(=\\s*(['\"])([\\s\\S]*?)\\3)?","gm");function St(t,e,n){if(!this.options.ignoreAttributes&&"string"==typeof t){const n=vt.getAllMatches(t,kt),s=n.length,i={};for(let t=0;t",r,"Closing Tag is not closed.");let a=t.substring(r+2,e).trim();if(this.options.removeNSPrefix){const t=a.indexOf(":");-1!==t&&(a=a.substr(t+1))}this.options.transformTagName&&(a=this.options.transformTagName(a)),n&&(s=this.saveTextToParentTag(s,n,i));const o=i.substring(i.lastIndexOf(".")+1);if(a&&-1!==this.options.unpairedTags.indexOf(a))throw new Error(`Unpaired tag can not be used as closing tag: `);let l=0;o&&-1!==this.options.unpairedTags.indexOf(o)?(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=Bt(t,r,!1,"?>");if(!e)throw new Error("Pi Tag is not closed.");if(s=this.saveTextToParentTag(s,n,i),!(this.options.ignoreDeclaration&&"?xml"===e.tagName||this.options.ignorePiTags)){const t=new bt(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 a=t.substring(r+4,e-2);s=this.saveTextToParentTag(s,n,i),n.add(this.options.commentPropName,[{[this.options.textNodeName]:a}])}r=e}else if("!D"===t.substr(r+1,2)){const e=Ct(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,a=t.substring(r+9,e);if(s=this.saveTextToParentTag(s,n,i),this.options.cdataPropName)n.add(this.options.cdataPropName,[{[this.options.textNodeName]:a}]);else{let t=this.parseTextData(a,n.tagname,i,!0,!1,!0);null==t&&(t=""),n.add(this.options.textNodeName,t)}r=e+2}else{let a=Bt(t,r,this.options.removeNSPrefix),o=a.tagName;const l=a.rawTagName;let c=a.tagExp,u=a.attrExpPresent,d=a.closeIndex;this.options.transformTagName&&(o=this.options.transformTagName(o)),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("."))),o!==e.tagname&&(i+=i?"."+o:o),this.isItStopNode(this.options.stopNodes,i,o)){let e="";if(c.length>0&&c.lastIndexOf("/")===c.length-1)r=a.closeIndex;else if(-1!==this.options.unpairedTags.indexOf(o))r=a.closeIndex;else{const n=this.readStopNodeData(t,l,d+1);if(!n)throw new Error(`Unexpected end of ${l}`);r=n.i,e=n.tagContent}const s=new bt(o);o!==c&&u&&(s[":@"]=this.buildAttributesMap(c,i,o)),e&&(e=this.parseTextData(e,o,i,!0,u,!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){"/"===o[o.length-1]?(o=o.substr(0,o.length-1),i=i.substr(0,i.length-1),c=o):c=c.substr(0,c.length-1),this.options.transformTagName&&(o=this.options.transformTagName(o));const t=new bt(o);o!==c&&u&&(t[":@"]=this.buildAttributesMap(c,i,o)),this.addChild(n,t,i),i=i.substr(0,i.lastIndexOf("."))}else{const t=new bt(o);this.tagsNodeStack.push(n),o!==c&&u&&(t[":@"]=this.buildAttributesMap(c,i,o)),this.addChild(n,t,i),n=t}s="",r=d}}else s+=t[r];return e.child};function Nt(t,e,n){const s=this.options.updateTag(e.tagname,n,e[":@"]);!1===s||("string"==typeof s&&(e.tagname=s),t.addChild(e))}const It=function(t){if(this.options.processEntities){for(let e in this.docTypeEntities){const n=this.docTypeEntities[e];t=t.replace(n.regx,n.val)}for(let e in this.lastEntities){const n=this.lastEntities[e];t=t.replace(n.regex,n.val)}if(this.options.htmlEntities)for(let e in this.htmlEntities){const n=this.htmlEntities[e];t=t.replace(n.regex,n.val)}t=t.replace(this.ampEntity.regex,this.ampEntity.val)}return t};function 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 Pt(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 Bt(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=Bt(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 vt.isExist(t)?t:""}var Ut={};function Rt(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:"₹"}},this.addExternalEntities=_t,this.parseXml=Lt,this.parseTextData=Tt,this.resolveNameSpace=Et,this.buildAttributesMap=St,this.isItStopNode=Pt,this.replaceEntitiesValue=It,this.readStopNodeData=Dt,this.saveTextToParentTag=Ft,this.addChild=Nt}},{prettify:Ht}=Ut,Gt=$;function Zt(t,e,n,s){let i="",r=!1;for(let a=0;a`,r=!1;continue}if(l===e.commentPropName){i+=s+`\x3c!--${o[l][0][e.textNodeName]}--\x3e`,r=!0;continue}if("?"===l[0]){const t=Wt(o[":@"],e),n="?xml"===l?"":s;let a=o[l][0][e.textNodeName];a=0!==a.length?" "+a:"",i+=n+`<${l}${a}${t}?>`,r=!0;continue}let u=s;""!==u&&(u+=e.indentBy);const d=s+`<${l}${Wt(o[":@"],e)}`,m=Zt(o[l],e,c,u);-1!==e.unpairedTags.indexOf(l)?e.suppressUnpairedNode?i+=d+">":i+=d+"/>":m&&0!==m.length||!e.suppressEmptyNode?m&&m.endsWith(">")?i+=d+`>${m}${s}`:(i+=d+">",m&&""!==s&&(m.includes("/>")||m.includes("`):i+=d+"/>",r=!0}return i}function Yt(t){const e=Object.keys(t);for(let n=0;n0&&e.processEntities)for(let n=0;n0&&(n="\n"),Zt(t,e,"",n)},Xt={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 te(t){this.options=Object.assign({},Xt,t),this.options.ignoreAttributes||this.options.attributesGroupName?this.isAttribute=function(){return!1}:(this.attrPrefixLen=this.options.attributeNamePrefix.length,this.isAttribute=se),this.processTextOrObjNode=ee,this.options.format?(this.indentate=ne,this.tagEndChar=">\n",this.newLine="\n"):(this.indentate=function(){return""},this.tagEndChar=">",this.newLine="")}function ee(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 ne(t){return this.options.indentBy.repeat(t)}function se(t){return!(!t.startsWith(this.options.attributeNamePrefix)||t===this.options.textNodeName)&&t.substr(this.attrPrefixLen)}te.prototype.build=function(t){return this.options.preserveOrder?Qt(t,this.options):(Array.isArray(t)&&this.options.arrayNodeName&&this.options.arrayNodeName.length>1&&(t={[this.options.arrayNodeName]:t}),this.j2x(t,0).val)},te.prototype.j2x=function(t,e){let n="",s="";for(let i in t)if(Object.prototype.hasOwnProperty.call(t,i))if(typeof t[i]>"u")this.isAttribute(i)&&(s+="");else if(null===t[i])this.isAttribute(i)?s+="":"?"===i[0]?s+=this.indentate(e)+"<"+i+"?"+this.tagEndChar:s+=this.indentate(e)+"<"+i+"/"+this.tagEndChar;else if(t[i]instanceof Date)s+=this.buildTextValNode(t[i],i,"",e);else if("object"!=typeof t[i]){const r=this.isAttribute(i);if(r)n+=this.buildAttrPairStr(r,""+t[i]);else if(i===this.options.textNodeName){let e=this.options.tagValueProcessor(i,""+t[i]);s+=this.replaceEntitiesValue(e)}else s+=this.buildTextValNode(t[i],i,"",e)}else if(Array.isArray(t[i])){const n=t[i].length;let r="";for(let a=0;a"u"||(null===n?"?"===i[0]?s+=this.indentate(e)+"<"+i+"?"+this.tagEndChar:s+=this.indentate(e)+"<"+i+"/"+this.tagEndChar:"object"==typeof n?this.options.oneListGroup?r+=this.j2x(n,e+1).val:r+=this.processTextOrObjNode(n,i,e):r+=this.buildTextValNode(n,i,"",e))}this.options.oneListGroup&&(r=this.buildObjectNode(r,i,"",e)),s+=r}else if(this.options.attributesGroupName&&i===this.options.attributesGroupName){const e=Object.keys(t[i]),s=e.length;for(let r=0;r"+t+i}},te.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||!0!==ie.XMLValidator.validate(t))return!1;let e;const n=new ie.XMLParser;try{e=n.parse(t)}catch{return!1}return!(!e||!("svg"in e))}(t.icon))throw new Error("View icon is required and must be a valid svg string");if(!("order"in t)||"number"!=typeof t.order)throw new Error("View order is required and must be a number");if(t.columns&&t.columns.forEach((t=>{if(!(t instanceof M))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},oe=function(t){return(typeof window._nc_newfilemenu>"u"&&(window._nc_newfilemenu=new m,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"})))}},99125:(t,e,n)=>{"use strict";n.d(e,{U:()=>un,a:()=>on,g:()=>mn,l:()=>Je,n:()=>tn,t:()=>ln});var s=n(93379),i=n.n(s),r=n(7795),a=n.n(r),o=n(90569),l=n.n(o),c=n(3565),u=n.n(c),d=n(19216),m=n.n(d),p=n(44589),f=n.n(p),g=n(75716),h={};h.styleTagTransform=f(),h.setAttributes=u(),h.insert=l().bind(null,"head"),h.domAPI=a(),h.insertStyleElement=m(),i()(g.Z,h),g.Z&&g.Z.locals&&g.Z.locals;var A=n(65358),w=n(5656),y=n(79753),v=n(77958),b=n(93664);class C 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 _{static fn(t){return(...e)=>new _(((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 C(t))}}get isCanceled(){return this.#n===x.canceled}#r(t){this.#n===x.pending&&(this.#n=t)}}Object.setPrototypeOf(_.prototype,Promise.prototype);var T=n(51772);class E extends Error{constructor(t){super(t),this.name="TimeoutError"}}class k extends Error{constructor(t){super(),this.name="AbortError",this.message=t}}const S=t=>void 0===globalThis.DOMException?new k(t):new DOMException(t),L=t=>{const e=void 0===t.reason?S("This operation was aborted."):t.reason;return e instanceof Error?e:S(e)};class N{#a=[];enqueue(t,e){const n={priority:(e={priority:0,...e}).priority,run:t};if(this.size&&this.#a[this.size-1].priority>=e.priority)return void this.#a.push(n);const s=function(t,e,n){let s=0,i=t.length;for(;i>0;){const r=Math.trunc(i/2);let a=s+r;n(t[a],e)<=0?(s=++a,i-=r+1):i=r}return s}(this.#a,n,((t,e)=>e.priority-t.priority));this.#a.splice(s,0,n)}dequeue(){const t=this.#a.shift();return t?.run}filter(t){return this.#a.filter((e=>e.priority===t.priority)).map((t=>t.run))}get size(){return this.#a.length}}class I extends T{#o;#l;#c=0;#u;#d;#m=0;#p;#f;#a;#g;#h=0;#A;#w;#y;timeout;constructor(t){if(super(),!("number"==typeof(t={carryoverConcurrencyCount:!1,intervalCap:Number.POSITIVE_INFINITY,interval:0,concurrency:Number.POSITIVE_INFINITY,autoStart:!0,queueClass:N,...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.#o=t.carryoverConcurrencyCount,this.#l=t.intervalCap===Number.POSITIVE_INFINITY||0===t.interval,this.#u=t.intervalCap,this.#d=t.interval,this.#a=new t.queueClass,this.#g=t.queueClass,this.concurrency=t.concurrency,this.timeout=t.timeout,this.#y=!0===t.throwOnTimeout,this.#w=!1===t.autoStart}get#v(){return this.#l||this.#c{this.#_()}),e)),!0;this.#c=this.#o?this.#h:0}return!1}#x(){if(0===this.#a.size)return this.#p&&clearInterval(this.#p),this.#p=void 0,this.emit("empty"),0===this.#h&&this.emit("idle"),!1;if(!this.#w){const t=!this.#k;if(this.#v&&this.#b){const e=this.#a.dequeue();return!!e&&(this.emit("active"),e(),t&&this.#E(),!0)}}return!1}#E(){this.#l||void 0!==this.#p||(this.#p=setInterval((()=>{this.#T()}),this.#d),this.#m=Date.now()+this.#d)}#T(){0===this.#c&&0===this.#h&&this.#p&&(clearInterval(this.#p),this.#p=void 0),this.#c=this.#o?this.#h:0,this.#S()}#S(){for(;this.#x(););}get concurrency(){return this.#A}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.#A=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.#y,...e},new Promise(((n,s)=>{this.#a.enqueue((async()=>{this.#h++,this.#c++;try{e.signal?.throwIfAborted();let s=t({signal:e.signal});e.timeout&&(s=function(t,e){const{milliseconds:n,fallback:s,message:i,customTimers:r={setTimeout,clearTimeout}}=e;let a;const o=new Promise(((o,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(L(t)),t.addEventListener("abort",(()=>{l(L(t))}))}if(n===Number.POSITIVE_INFINITY)return void t.then(o,l);const c=new E;a=r.setTimeout.call(void 0,(()=>{if(s)try{o(s())}catch(t){l(t)}else"function"==typeof t.cancel&&t.cancel(),!1===i?o():i instanceof Error?l(i):(c.message=i??`Promise timed out after ${n} milliseconds`,l(c))}),n),(async()=>{try{o(await t)}catch(t){l(t)}})()})).finally((()=>{o.clear()}));return o.clear=()=>{r.clearTimeout.call(void 0,a),a=void 0},o}(Promise.resolve(s),{milliseconds:e.timeout})),e.signal&&(s=Promise.race([s,this.#L(e.signal)]));const i=await s;n(i),this.emit("completed",i)}catch(t){if(t instanceof E&&!e.throwOnTimeout)return void n();s(t),this.emit("error",t)}finally{this.#C()}}),e),this.emit("add"),this.#x()}))}async addAll(t,e){return Promise.all(t.map((async t=>this.add(t,e))))}start(){return this.#w?(this.#w=!1,this.#S(),this):this}pause(){this.#w=!0}clear(){this.#a=new this.#g}async onEmpty(){0!==this.#a.size&&await this.#N("empty")}async onSizeLessThan(t){this.#a.sizethis.#a.size{const s=()=>{e&&!e()||(this.off(t,s),n())};this.on(t,s)}))}get size(){return this.#a.size}sizeBy(t){return this.#a.filter(t).length}get pending(){return this.#h}get isPaused(){return this.#w}}var F=n(43452);const P=(t,e,n)=>t.bind(n);var O=n(17499),B=n(64024),D=n(69481),j=n(20144),U=n(23928),R=n(61057),z=n(29497),M=n(46226),V=n(29094),$=n(48264),q=n(48764).Buffer,H=n(25108);function G(t,e){return function(){return t.apply(e,arguments)}}const{toString:Z}=Object.prototype,{getPrototypeOf:Y}=Object,W=(tt=Object.create(null),t=>{const e=Z.call(t);return tt[e]||(tt[e]=e.slice(8,-1).toLowerCase())}),K=t=>(t=t.toLowerCase(),e=>W(e)===t),J=t=>e=>typeof e===t,{isArray:Q}=Array,X=J("undefined");var tt;const et=K("ArrayBuffer"),nt=J("string"),st=J("function"),it=J("number"),rt=t=>null!==t&&"object"==typeof t,at=t=>{if("object"!==W(t))return!1;const e=Y(t);return!(null!==e&&e!==Object.prototype&&null!==Object.getPrototypeOf(e)||Symbol.toStringTag in t||Symbol.iterator in t)},ot=K("Date"),lt=K("File"),ct=K("Blob"),ut=K("FileList"),dt=K("URLSearchParams");function mt(t,e,{allOwnKeys:n=!1}={}){if(null===t||typeof t>"u")return;let s,i;if("object"!=typeof t&&(t=[t]),Q(t))for(s=0,i=t.length;s0;)if(s=n[i],e===s.toLowerCase())return s;return null}const ft=typeof globalThis<"u"?globalThis:typeof self<"u"?self:typeof window<"u"?window:global,gt=t=>!X(t)&&t!==ft,ht=(t=>e=>t&&e instanceof t)(typeof Uint8Array<"u"&&Y(Uint8Array)),At=K("HTMLFormElement"),wt=(({hasOwnProperty:t})=>(e,n)=>t.call(e,n))(Object.prototype),yt=K("RegExp"),vt=(t,e)=>{const n=Object.getOwnPropertyDescriptors(t),s={};mt(n,((n,i)=>{let r;!1!==(r=e(n,i,t))&&(s[i]=r||n)})),Object.defineProperties(t,s)},bt="abcdefghijklmnopqrstuvwxyz",Ct="0123456789",xt={DIGIT:Ct,ALPHA:bt,ALPHA_DIGIT:bt+bt.toUpperCase()+Ct},_t=K("AsyncFunction"),Tt={isArray:Q,isArrayBuffer:et,isBuffer:function(t){return null!==t&&!X(t)&&null!==t.constructor&&!X(t.constructor)&&st(t.constructor.isBuffer)&&t.constructor.isBuffer(t)},isFormData:t=>{let e;return t&&("function"==typeof FormData&&t instanceof FormData||st(t.append)&&("formdata"===(e=W(t))||"object"===e&&st(t.toString)&&"[object FormData]"===t.toString()))},isArrayBufferView:function(t){let e;return e=typeof ArrayBuffer<"u"&&ArrayBuffer.isView?ArrayBuffer.isView(t):t&&t.buffer&&et(t.buffer),e},isString:nt,isNumber:it,isBoolean:t=>!0===t||!1===t,isObject:rt,isPlainObject:at,isUndefined:X,isDate:ot,isFile:lt,isBlob:ct,isRegExp:yt,isFunction:st,isStream:t=>rt(t)&&st(t.pipe),isURLSearchParams:dt,isTypedArray:ht,isFileList:ut,forEach:mt,merge:function t(){const{caseless:e}=gt(this)&&this||{},n={},s=(s,i)=>{const r=e&&pt(n,i)||i;at(n[r])&&at(s)?n[r]=t(n[r],s):at(s)?n[r]=t({},s):Q(s)?n[r]=s.slice():n[r]=s};for(let t=0,e=arguments.length;t(mt(e,((e,s)=>{n&&st(e)?t[s]=G(e,n):t[s]=e}),{allOwnKeys:s}),t),trim:t=>t.trim?t.trim():t.replace(/^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g,""),stripBOM:t=>(65279===t.charCodeAt(0)&&(t=t.slice(1)),t),inherits:(t,e,n,s)=>{t.prototype=Object.create(e.prototype,s),t.prototype.constructor=t,Object.defineProperty(t,"super",{value:e.prototype}),n&&Object.assign(t.prototype,n)},toFlatObject:(t,e,n,s)=>{let i,r,a;const o={};if(e=e||{},null==t)return e;do{for(i=Object.getOwnPropertyNames(t),r=i.length;r-- >0;)a=i[r],(!s||s(a,t,e))&&!o[a]&&(e[a]=t[a],o[a]=!0);t=!1!==n&&Y(t)}while(t&&(!n||n(t,e))&&t!==Object.prototype);return e},kindOf:W,kindOfTest:K,endsWith:(t,e,n)=>{t=String(t),(void 0===n||n>t.length)&&(n=t.length),n-=e.length;const s=t.indexOf(e,n);return-1!==s&&s===n},toArray:t=>{if(!t)return null;if(Q(t))return t;let e=t.length;if(!it(e))return null;const n=new Array(e);for(;e-- >0;)n[e]=t[e];return n},forEachEntry:(t,e)=>{const n=(t&&t[Symbol.iterator]).call(t);let s;for(;(s=n.next())&&!s.done;){const n=s.value;e.call(t,n[0],n[1])}},matchAll:(t,e)=>{let n;const s=[];for(;null!==(n=t.exec(e));)s.push(n);return s},isHTMLForm:At,hasOwnProperty:wt,hasOwnProp:wt,reduceDescriptors:vt,freezeMethods:t=>{vt(t,((e,n)=>{if(st(t)&&-1!==["arguments","caller","callee"].indexOf(n))return!1;const s=t[n];if(st(s)){if(e.enumerable=!1,"writable"in e)return void(e.writable=!1);e.set||(e.set=()=>{throw Error("Can not rewrite read-only method '"+n+"'")})}}))},toObjectSet:(t,e)=>{const n={},s=t=>{t.forEach((t=>{n[t]=!0}))};return Q(t)?s(t):s(String(t).split(e)),n},toCamelCase:t=>t.toLowerCase().replace(/[-_\s]([a-z\d])(\w*)/g,(function(t,e,n){return e.toUpperCase()+n})),noop:()=>{},toFiniteNumber:(t,e)=>(t=+t,Number.isFinite(t)?t:e),findKey:pt,global:ft,isContextDefined:gt,ALPHABET:xt,generateString:(t=16,e=xt.ALPHA_DIGIT)=>{let n="";const{length:s}=e;for(;t--;)n+=e[Math.random()*s|0];return n},isSpecCompliantForm:function(t){return!!(t&&st(t.append)&&"FormData"===t[Symbol.toStringTag]&&t[Symbol.iterator])},toJSONObject:t=>{const e=new Array(10),n=(t,s)=>{if(rt(t)){if(e.indexOf(t)>=0)return;if(!("toJSON"in t)){e[s]=t;const i=Q(t)?[]:{};return mt(t,((t,e)=>{const r=n(t,s+1);!X(r)&&(i[e]=r)})),e[s]=void 0,i}}return t};return n(t,0)},isAsyncFn:_t,isThenable:t=>t&&(rt(t)||st(t))&&st(t.then)&&st(t.catch)};function Et(t,e,n,s,i){Error.call(this),Error.captureStackTrace?Error.captureStackTrace(this,this.constructor):this.stack=(new Error).stack,this.message=t,this.name="AxiosError",e&&(this.code=e),n&&(this.config=n),s&&(this.request=s),i&&(this.response=i)}Tt.inherits(Et,Error,{toJSON:function(){return{message:this.message,name:this.name,description:this.description,number:this.number,fileName:this.fileName,lineNumber:this.lineNumber,columnNumber:this.columnNumber,stack:this.stack,config:Tt.toJSONObject(this.config),code:this.code,status:this.response&&this.response.status?this.response.status:null}}});const kt=Et.prototype,St={};function Lt(t){return Tt.isPlainObject(t)||Tt.isArray(t)}function Nt(t){return Tt.endsWith(t,"[]")?t.slice(0,-2):t}function It(t,e,n){return t?t.concat(e).map((function(t,e){return t=Nt(t),!n&&e?"["+t+"]":t})).join(n?".":""):e}["ERR_BAD_OPTION_VALUE","ERR_BAD_OPTION","ECONNABORTED","ETIMEDOUT","ERR_NETWORK","ERR_FR_TOO_MANY_REDIRECTS","ERR_DEPRECATED","ERR_BAD_RESPONSE","ERR_BAD_REQUEST","ERR_CANCELED","ERR_NOT_SUPPORT","ERR_INVALID_URL"].forEach((t=>{St[t]={value:t}})),Object.defineProperties(Et,St),Object.defineProperty(kt,"isAxiosError",{value:!0}),Et.from=(t,e,n,s,i,r)=>{const a=Object.create(kt);return Tt.toFlatObject(t,a,(function(t){return t!==Error.prototype}),(t=>"isAxiosError"!==t)),Et.call(a,t.message,e,n,s,i),a.cause=t,a.name=t.name,r&&Object.assign(a,r),a};const Ft=Tt.toFlatObject(Tt,{},null,(function(t){return/^is[A-Z]/.test(t)}));function Pt(t,e,n){if(!Tt.isObject(t))throw new TypeError("target must be an object");e=e||new FormData;const s=(n=Tt.toFlatObject(n,{metaTokens:!0,dots:!1,indexes:!1},!1,(function(t,e){return!Tt.isUndefined(e[t])}))).metaTokens,i=n.visitor||c,r=n.dots,a=n.indexes,o=(n.Blob||typeof Blob<"u"&&Blob)&&Tt.isSpecCompliantForm(e);if(!Tt.isFunction(i))throw new TypeError("visitor must be a function");function l(t){if(null===t)return"";if(Tt.isDate(t))return t.toISOString();if(!o&&Tt.isBlob(t))throw new Et("Blob is not supported. Use a Buffer instead.");return Tt.isArrayBuffer(t)||Tt.isTypedArray(t)?o&&"function"==typeof Blob?new Blob([t]):q.from(t):t}function c(t,n,i){let o=t;if(t&&!i&&"object"==typeof t)if(Tt.endsWith(n,"{}"))n=s?n:n.slice(0,-2),t=JSON.stringify(t);else if(Tt.isArray(t)&&function(t){return Tt.isArray(t)&&!t.some(Lt)}(t)||(Tt.isFileList(t)||Tt.endsWith(n,"[]"))&&(o=Tt.toArray(t)))return n=Nt(n),o.forEach((function(t,s){!Tt.isUndefined(t)&&null!==t&&e.append(!0===a?It([n],s,r):null===a?n:n+"[]",l(t))})),!1;return!!Lt(t)||(e.append(It(i,n,r),l(t)),!1)}const u=[],d=Object.assign(Ft,{defaultVisitor:c,convertValue:l,isVisitable:Lt});if(!Tt.isObject(t))throw new TypeError("data must be an object");return function t(n,s){if(!Tt.isUndefined(n)){if(-1!==u.indexOf(n))throw Error("Circular reference detected in "+s.join("."));u.push(n),Tt.forEach(n,(function(n,r){!0===(!(Tt.isUndefined(n)||null===n)&&i.call(e,n,Tt.isString(r)?r.trim():r,s,d))&&t(n,s?s.concat(r):[r])})),u.pop()}}(t),e}function Ot(t){const e={"!":"%21","'":"%27","(":"%28",")":"%29","~":"%7E","%20":"+","%00":"\0"};return encodeURIComponent(t).replace(/[!'()~]|%20|%00/g,(function(t){return e[t]}))}function Bt(t,e){this._pairs=[],t&&Pt(t,this,e)}const Dt=Bt.prototype;function jt(t){return encodeURIComponent(t).replace(/%3A/gi,":").replace(/%24/g,"$").replace(/%2C/gi,",").replace(/%20/g,"+").replace(/%5B/gi,"[").replace(/%5D/gi,"]")}function Ut(t,e,n){if(!e)return t;const s=n&&n.encode||jt,i=n&&n.serialize;let r;if(r=i?i(e,n):Tt.isURLSearchParams(e)?e.toString():new Bt(e,n).toString(s),r){const e=t.indexOf("#");-1!==e&&(t=t.slice(0,e)),t+=(-1===t.indexOf("?")?"?":"&")+r}return t}Dt.append=function(t,e){this._pairs.push([t,e])},Dt.toString=function(t){const e=t?function(e){return t.call(this,e,Ot)}:Ot;return this._pairs.map((function(t){return e(t[0])+"="+e(t[1])}),"").join("&")};const Rt=class{constructor(){this.handlers=[]}use(t,e,n){return this.handlers.push({fulfilled:t,rejected:e,synchronous:!!n&&n.synchronous,runWhen:n?n.runWhen:null}),this.handlers.length-1}eject(t){this.handlers[t]&&(this.handlers[t]=null)}clear(){this.handlers&&(this.handlers=[])}forEach(t){Tt.forEach(this.handlers,(function(e){null!==e&&t(e)}))}},zt={silentJSONParsing:!0,forcedJSONParsing:!0,clarifyTimeoutError:!1},Mt={isBrowser:!0,classes:{URLSearchParams:typeof URLSearchParams<"u"?URLSearchParams:Bt,FormData:typeof FormData<"u"?FormData:null,Blob:typeof Blob<"u"?Blob:null},protocols:["http","https","file","blob","url","data"]},Vt=typeof window<"u"&&typeof document<"u",$t=(t=>Vt&&["ReactNative","NativeScript","NS"].indexOf(t)<0)(typeof navigator<"u"&&navigator.product),qt=typeof WorkerGlobalScope<"u"&&self instanceof WorkerGlobalScope&&"function"==typeof self.importScripts,Ht={...Object.freeze(Object.defineProperty({__proto__:null,hasBrowserEnv:Vt,hasStandardBrowserEnv:$t,hasStandardBrowserWebWorkerEnv:qt},Symbol.toStringTag,{value:"Module"})),...Mt};function Gt(t){function e(t,n,s,i){let r=t[i++];const a=Number.isFinite(+r),o=i>=t.length;return r=!r&&Tt.isArray(s)?s.length:r,o?(Tt.hasOwnProp(s,r)?s[r]=[s[r],n]:s[r]=n,!a):((!s[r]||!Tt.isObject(s[r]))&&(s[r]=[]),e(t,n,s[r],i)&&Tt.isArray(s[r])&&(s[r]=function(t){const e={},n=Object.keys(t);let s;const i=n.length;let r;for(s=0;s{e(function(t){return Tt.matchAll(/\w+|\[(\w*)]/g,t).map((t=>"[]"===t[0]?"":t[1]||t[0]))}(t),s,n,0)})),n}return null}const Zt={transitional:zt,adapter:["xhr","http"],transformRequest:[function(t,e){const n=e.getContentType()||"",s=n.indexOf("application/json")>-1,i=Tt.isObject(t);if(i&&Tt.isHTMLForm(t)&&(t=new FormData(t)),Tt.isFormData(t))return s&&s?JSON.stringify(Gt(t)):t;if(Tt.isArrayBuffer(t)||Tt.isBuffer(t)||Tt.isStream(t)||Tt.isFile(t)||Tt.isBlob(t))return t;if(Tt.isArrayBufferView(t))return t.buffer;if(Tt.isURLSearchParams(t))return e.setContentType("application/x-www-form-urlencoded;charset=utf-8",!1),t.toString();let r;if(i){if(n.indexOf("application/x-www-form-urlencoded")>-1)return function(t,e){return Pt(t,new Ht.classes.URLSearchParams,Object.assign({visitor:function(t,e,n,s){return Ht.isNode&&Tt.isBuffer(t)?(this.append(e,t.toString("base64")),!1):s.defaultVisitor.apply(this,arguments)}},e))}(t,this.formSerializer).toString();if((r=Tt.isFileList(t))||n.indexOf("multipart/form-data")>-1){const e=this.env&&this.env.FormData;return Pt(r?{"files[]":t}:t,e&&new e,this.formSerializer)}}return i||s?(e.setContentType("application/json",!1),function(t,e,n){if(Tt.isString(t))try{return(0,JSON.parse)(t),Tt.trim(t)}catch(t){if("SyntaxError"!==t.name)throw t}return(0,JSON.stringify)(t)}(t)):t}],transformResponse:[function(t){const e=this.transitional||Zt.transitional,n=e&&e.forcedJSONParsing,s="json"===this.responseType;if(t&&Tt.isString(t)&&(n&&!this.responseType||s)){const n=!(e&&e.silentJSONParsing)&&s;try{return JSON.parse(t)}catch(t){if(n)throw"SyntaxError"===t.name?Et.from(t,Et.ERR_BAD_RESPONSE,this,null,this.response):t}}return t}],timeout:0,xsrfCookieName:"XSRF-TOKEN",xsrfHeaderName:"X-XSRF-TOKEN",maxContentLength:-1,maxBodyLength:-1,env:{FormData:Ht.classes.FormData,Blob:Ht.classes.Blob},validateStatus:function(t){return t>=200&&t<300},headers:{common:{Accept:"application/json, text/plain, */*","Content-Type":void 0}}};Tt.forEach(["delete","get","head","post","put","patch"],(t=>{Zt.headers[t]={}}));const Yt=Zt,Wt=Tt.toObjectSet(["age","authorization","content-length","content-type","etag","expires","from","host","if-modified-since","if-unmodified-since","last-modified","location","max-forwards","proxy-authorization","referer","retry-after","user-agent"]),Kt=Symbol("internals");function Jt(t){return t&&String(t).trim().toLowerCase()}function Qt(t){return!1===t||null==t?t:Tt.isArray(t)?t.map(Qt):String(t)}function Xt(t,e,n,s,i){if(Tt.isFunction(s))return s.call(this,e,n);if(i&&(e=n),Tt.isString(e)){if(Tt.isString(s))return-1!==e.indexOf(s);if(Tt.isRegExp(s))return s.test(e)}}let te=class{constructor(t){t&&this.set(t)}set(t,e,n){const s=this;function i(t,e,n){const i=Jt(e);if(!i)throw new Error("header name must be a non-empty string");const r=Tt.findKey(s,i);(!r||void 0===s[r]||!0===n||void 0===n&&!1!==s[r])&&(s[r||e]=Qt(t))}const r=(t,e)=>Tt.forEach(t,((t,n)=>i(t,n,e)));return Tt.isPlainObject(t)||t instanceof this.constructor?r(t,e):Tt.isString(t)&&(t=t.trim())&&!(t=>/^[-_a-zA-Z0-9^`|~,!#$%&'*+.]+$/.test(t.trim()))(t)?r((t=>{const e={};let n,s,i;return t&&t.split("\n").forEach((function(t){i=t.indexOf(":"),n=t.substring(0,i).trim().toLowerCase(),s=t.substring(i+1).trim(),!(!n||e[n]&&Wt[n])&&("set-cookie"===n?e[n]?e[n].push(s):e[n]=[s]:e[n]=e[n]?e[n]+", "+s:s)})),e})(t),e):null!=t&&i(e,t,n),this}get(t,e){if(t=Jt(t)){const n=Tt.findKey(this,t);if(n){const t=this[n];if(!e)return t;if(!0===e)return function(t){const e=Object.create(null),n=/([^\s,;=]+)\s*(?:=\s*([^,;]+))?/g;let s;for(;s=n.exec(t);)e[s[1]]=s[2];return e}(t);if(Tt.isFunction(e))return e.call(this,t,n);if(Tt.isRegExp(e))return e.exec(t);throw new TypeError("parser must be boolean|regexp|function")}}}has(t,e){if(t=Jt(t)){const n=Tt.findKey(this,t);return!(!n||void 0===this[n]||e&&!Xt(0,this[n],n,e))}return!1}delete(t,e){const n=this;let s=!1;function i(t){if(t=Jt(t)){const i=Tt.findKey(n,t);i&&(!e||Xt(0,n[i],i,e))&&(delete n[i],s=!0)}}return Tt.isArray(t)?t.forEach(i):i(t),s}clear(t){const e=Object.keys(this);let n=e.length,s=!1;for(;n--;){const i=e[n];(!t||Xt(0,this[i],i,t,!0))&&(delete this[i],s=!0)}return s}normalize(t){const e=this,n={};return Tt.forEach(this,((s,i)=>{const r=Tt.findKey(n,i);if(r)return e[r]=Qt(s),void delete e[i];const a=t?function(t){return t.trim().toLowerCase().replace(/([a-z\d])(\w*)/g,((t,e,n)=>e.toUpperCase()+n))}(i):String(i).trim();a!==i&&delete e[i],e[a]=Qt(s),n[a]=!0})),this}concat(...t){return this.constructor.concat(this,...t)}toJSON(t){const e=Object.create(null);return Tt.forEach(this,((n,s)=>{null!=n&&!1!==n&&(e[s]=t&&Tt.isArray(n)?n.join(", "):n)})),e}[Symbol.iterator](){return Object.entries(this.toJSON())[Symbol.iterator]()}toString(){return Object.entries(this.toJSON()).map((([t,e])=>t+": "+e)).join("\n")}get[Symbol.toStringTag](){return"AxiosHeaders"}static from(t){return t instanceof this?t:new this(t)}static concat(t,...e){const n=new this(t);return e.forEach((t=>n.set(t))),n}static accessor(t){const e=(this[Kt]=this[Kt]={accessors:{}}).accessors,n=this.prototype;function s(t){const s=Jt(t);e[s]||(function(t,e){const n=Tt.toCamelCase(" "+e);["get","set","has"].forEach((s=>{Object.defineProperty(t,s+n,{value:function(t,n,i){return this[s].call(this,e,t,n,i)},configurable:!0})}))}(n,t),e[s]=!0)}return Tt.isArray(t)?t.forEach(s):s(t),this}};te.accessor(["Content-Type","Content-Length","Accept","Accept-Encoding","User-Agent","Authorization"]),Tt.reduceDescriptors(te.prototype,(({value:t},e)=>{let n=e[0].toUpperCase()+e.slice(1);return{get:()=>t,set(t){this[n]=t}}})),Tt.freezeMethods(te);const ee=te;function ne(t,e){const n=this||Yt,s=e||n,i=ee.from(s.headers);let r=s.data;return Tt.forEach(t,(function(t){r=t.call(n,r,i.normalize(),e?e.status:void 0)})),i.normalize(),r}function se(t){return!(!t||!t.__CANCEL__)}function ie(t,e,n){Et.call(this,t??"canceled",Et.ERR_CANCELED,e,n),this.name="CanceledError"}Tt.inherits(ie,Et,{__CANCEL__:!0});const re=Ht.hasStandardBrowserEnv?{write:function(t,e,n,s,i,r){const a=[];a.push(t+"="+encodeURIComponent(e)),Tt.isNumber(n)&&a.push("expires="+new Date(n).toGMTString()),Tt.isString(s)&&a.push("path="+s),Tt.isString(i)&&a.push("domain="+i),!0===r&&a.push("secure"),document.cookie=a.join("; ")},read:function(t){const e=document.cookie.match(new RegExp("(^|;\\s*)("+t+")=([^;]*)"));return e?decodeURIComponent(e[3]):null},remove:function(t){this.write(t,"",Date.now()-864e5)}}:{write:function(){},read:function(){return null},remove:function(){}};function ae(t,e){return t&&!function(t){return/^([a-z][a-z\d+\-.]*:)?\/\//i.test(t)}(e)?function(t,e){return e?t.replace(/\/+$/,"")+"/"+e.replace(/^\/+/,""):t}(t,e):e}const oe=Ht.hasStandardBrowserEnv?function(){const t=/(msie|trident)/i.test(navigator.userAgent),e=document.createElement("a");let n;function s(n){let s=n;return t&&(e.setAttribute("href",s),s=e.href),e.setAttribute("href",s),{href:e.href,protocol:e.protocol?e.protocol.replace(/:$/,""):"",host:e.host,search:e.search?e.search.replace(/^\?/,""):"",hash:e.hash?e.hash.replace(/^#/,""):"",hostname:e.hostname,port:e.port,pathname:"/"===e.pathname.charAt(0)?e.pathname:"/"+e.pathname}}return n=s(window.location.href),function(t){const e=Tt.isString(t)?s(t):t;return e.protocol===n.protocol&&e.host===n.host}}():function(){return!0};function le(t,e){let n=0;const s=function(t,e){t=t||10;const n=new Array(t),s=new Array(t);let i,r=0,a=0;return e=void 0!==e?e:1e3,function(o){const l=Date.now(),c=s[a];i||(i=l),n[r]=o,s[r]=l;let u=a,d=0;for(;u!==r;)d+=n[u++],u%=t;if(r=(r+1)%t,r===a&&(a=(a+1)%t),l-i{const r=i.loaded,a=i.lengthComputable?i.total:void 0,o=r-n,l=s(o);n=r;const c={loaded:r,total:a,progress:a?r/a:void 0,bytes:o,rate:l||void 0,estimated:l&&a&&r<=a?(a-r)/l:void 0,event:i};c[e?"download":"upload"]=!0,t(c)}}const ce=typeof XMLHttpRequest<"u"&&function(t){return new Promise((function(e,n){let s=t.data;const i=ee.from(t.headers).normalize(),r=t.responseType;let a,o;function l(){t.cancelToken&&t.cancelToken.unsubscribe(a),t.signal&&t.signal.removeEventListener("abort",a)}if(Tt.isFormData(s))if(Ht.hasStandardBrowserEnv||Ht.hasStandardBrowserWebWorkerEnv)i.setContentType(!1);else if(!1!==(o=i.getContentType())){const[t,...e]=o?o.split(";").map((t=>t.trim())).filter(Boolean):[];i.setContentType([t||"multipart/form-data",...e].join("; "))}let c=new XMLHttpRequest;if(t.auth){const e=t.auth.username||"",n=t.auth.password?unescape(encodeURIComponent(t.auth.password)):"";i.set("Authorization","Basic "+btoa(e+":"+n))}const u=ae(t.baseURL,t.url);function d(){if(!c)return;const s=ee.from("getAllResponseHeaders"in c&&c.getAllResponseHeaders());(function(t,e,n){const s=n.config.validateStatus;n.status&&s&&!s(n.status)?e(new Et("Request failed with status code "+n.status,[Et.ERR_BAD_REQUEST,Et.ERR_BAD_RESPONSE][Math.floor(n.status/100)-4],n.config,n.request,n)):t(n)})((function(t){e(t),l()}),(function(t){n(t),l()}),{data:r&&"text"!==r&&"json"!==r?c.response:c.responseText,status:c.status,statusText:c.statusText,headers:s,config:t,request:c}),c=null}if(c.open(t.method.toUpperCase(),Ut(u,t.params,t.paramsSerializer),!0),c.timeout=t.timeout,"onloadend"in c?c.onloadend=d:c.onreadystatechange=function(){!c||4!==c.readyState||0===c.status&&(!c.responseURL||0!==c.responseURL.indexOf("file:"))||setTimeout(d)},c.onabort=function(){c&&(n(new Et("Request aborted",Et.ECONNABORTED,t,c)),c=null)},c.onerror=function(){n(new Et("Network Error",Et.ERR_NETWORK,t,c)),c=null},c.ontimeout=function(){let e=t.timeout?"timeout of "+t.timeout+"ms exceeded":"timeout exceeded";const s=t.transitional||zt;t.timeoutErrorMessage&&(e=t.timeoutErrorMessage),n(new Et(e,s.clarifyTimeoutError?Et.ETIMEDOUT:Et.ECONNABORTED,t,c)),c=null},Ht.hasStandardBrowserEnv){const e=oe(u)&&t.xsrfCookieName&&re.read(t.xsrfCookieName);e&&i.set(t.xsrfHeaderName,e)}void 0===s&&i.setContentType(null),"setRequestHeader"in c&&Tt.forEach(i.toJSON(),(function(t,e){c.setRequestHeader(e,t)})),Tt.isUndefined(t.withCredentials)||(c.withCredentials=!!t.withCredentials),r&&"json"!==r&&(c.responseType=t.responseType),"function"==typeof t.onDownloadProgress&&c.addEventListener("progress",le(t.onDownloadProgress,!0)),"function"==typeof t.onUploadProgress&&c.upload&&c.upload.addEventListener("progress",le(t.onUploadProgress)),(t.cancelToken||t.signal)&&(a=e=>{c&&(n(!e||e.type?new ie(null,t,c):e),c.abort(),c=null)},t.cancelToken&&t.cancelToken.subscribe(a),t.signal&&(t.signal.aborted?a():t.signal.addEventListener("abort",a)));const m=function(t){const e=/^([-+\w]{1,25})(:?\/\/|:)/.exec(t);return e&&e[1]||""}(u);m&&-1===Ht.protocols.indexOf(m)?n(new Et("Unsupported protocol "+m+":",Et.ERR_BAD_REQUEST,t)):c.send(s||null)}))},ue={http:null,xhr:ce};Tt.forEach(ue,((t,e)=>{if(t){try{Object.defineProperty(t,"name",{value:e})}catch{}Object.defineProperty(t,"adapterName",{value:e})}}));const de=t=>`- ${t}`,me=t=>Tt.isFunction(t)||null===t||!1===t,pe=t=>{t=Tt.isArray(t)?t:[t];const{length:e}=t;let n,s;const i={};for(let r=0;r`adapter ${t} `+(!1===e?"is not supported by the environment":"is not available in the build")));throw new Et("There is no suitable adapter to dispatch the request "+(e?t.length>1?"since :\n"+t.map(de).join("\n"):" "+de(t[0]):"as no adapter specified"),"ERR_NOT_SUPPORT")}return s};function fe(t){if(t.cancelToken&&t.cancelToken.throwIfRequested(),t.signal&&t.signal.aborted)throw new ie(null,t)}function ge(t){return fe(t),t.headers=ee.from(t.headers),t.data=ne.call(t,t.transformRequest),-1!==["post","put","patch"].indexOf(t.method)&&t.headers.setContentType("application/x-www-form-urlencoded",!1),pe(t.adapter||Yt.adapter)(t).then((function(e){return fe(t),e.data=ne.call(t,t.transformResponse,e),e.headers=ee.from(e.headers),e}),(function(e){return se(e)||(fe(t),e&&e.response&&(e.response.data=ne.call(t,t.transformResponse,e.response),e.response.headers=ee.from(e.response.headers))),Promise.reject(e)}))}const he=t=>t instanceof ee?t.toJSON():t;function Ae(t,e){e=e||{};const n={};function s(t,e,n){return Tt.isPlainObject(t)&&Tt.isPlainObject(e)?Tt.merge.call({caseless:n},t,e):Tt.isPlainObject(e)?Tt.merge({},e):Tt.isArray(e)?e.slice():e}function i(t,e,n){return Tt.isUndefined(e)?Tt.isUndefined(t)?void 0:s(void 0,t,n):s(t,e,n)}function r(t,e){if(!Tt.isUndefined(e))return s(void 0,e)}function a(t,e){return Tt.isUndefined(e)?Tt.isUndefined(t)?void 0:s(void 0,t):s(void 0,e)}function o(n,i,r){return r in e?s(n,i):r in t?s(void 0,n):void 0}const l={url:r,method:r,data:r,baseURL:a,transformRequest:a,transformResponse:a,paramsSerializer:a,timeout:a,timeoutMessage:a,withCredentials:a,adapter:a,responseType:a,xsrfCookieName:a,xsrfHeaderName:a,onUploadProgress:a,onDownloadProgress:a,decompress:a,maxContentLength:a,maxBodyLength:a,beforeRedirect:a,transport:a,httpAgent:a,httpsAgent:a,cancelToken:a,socketPath:a,responseEncoding:a,validateStatus:o,headers:(t,e)=>i(he(t),he(e),!0)};return Tt.forEach(Object.keys(Object.assign({},t,e)),(function(s){const r=l[s]||i,a=r(t[s],e[s],s);Tt.isUndefined(a)&&r!==o||(n[s]=a)})),n}const we={};["object","boolean","number","function","string","symbol"].forEach(((t,e)=>{we[t]=function(n){return typeof n===t||"a"+(e<1?"n ":" ")+t}}));const ye={};we.transitional=function(t,e,n){function s(t,e){return"[Axios v1.6.1] Transitional option '"+t+"'"+e+(n?". "+n:"")}return(n,i,r)=>{if(!1===t)throw new Et(s(i," has been removed"+(e?" in "+e:"")),Et.ERR_DEPRECATED);return e&&!ye[i]&&(ye[i]=!0,H.warn(s(i," has been deprecated since v"+e+" and will be removed in the near future"))),!t||t(n,i,r)}};const ve={assertOptions:function(t,e,n){if("object"!=typeof t)throw new Et("options must be an object",Et.ERR_BAD_OPTION_VALUE);const s=Object.keys(t);let i=s.length;for(;i-- >0;){const r=s[i],a=e[r];if(a){const e=t[r],n=void 0===e||a(e,r,t);if(!0!==n)throw new Et("option "+r+" must be "+n,Et.ERR_BAD_OPTION_VALUE)}else if(!0!==n)throw new Et("Unknown option "+r,Et.ERR_BAD_OPTION)}},validators:we},be=ve.validators;let Ce=class{constructor(t){this.defaults=t,this.interceptors={request:new Rt,response:new Rt}}request(t,e){"string"==typeof t?(e=e||{}).url=t:e=t||{},e=Ae(this.defaults,e);const{transitional:n,paramsSerializer:s,headers:i}=e;void 0!==n&&ve.assertOptions(n,{silentJSONParsing:be.transitional(be.boolean),forcedJSONParsing:be.transitional(be.boolean),clarifyTimeoutError:be.transitional(be.boolean)},!1),null!=s&&(Tt.isFunction(s)?e.paramsSerializer={serialize:s}:ve.assertOptions(s,{encode:be.function,serialize:be.function},!0)),e.method=(e.method||this.defaults.method||"get").toLowerCase();let r=i&&Tt.merge(i.common,i[e.method]);i&&Tt.forEach(["delete","get","head","post","put","patch","common"],(t=>{delete i[t]})),e.headers=ee.concat(r,i);const a=[];let o=!0;this.interceptors.request.forEach((function(t){"function"==typeof t.runWhen&&!1===t.runWhen(e)||(o=o&&t.synchronous,a.unshift(t.fulfilled,t.rejected))}));const l=[];this.interceptors.response.forEach((function(t){l.push(t.fulfilled,t.rejected)}));let c,u,d=0;if(!o){const t=[ge.bind(this),void 0];for(t.unshift.apply(t,a),t.push.apply(t,l),u=t.length,c=Promise.resolve(e);d{_e[e]=t}));const Te=_e,Ee=function t(e){const n=new xe(e),s=G(xe.prototype.request,n);return Tt.extend(s,xe.prototype,n,{allOwnKeys:!0}),Tt.extend(s,n,null,{allOwnKeys:!0}),s.create=function(n){return t(Ae(e,n))},s}(Yt);Ee.Axios=xe,Ee.CanceledError=ie,Ee.CancelToken=class t{constructor(t){if("function"!=typeof t)throw new TypeError("executor must be a function.");let e;this.promise=new Promise((function(t){e=t}));const n=this;this.promise.then((t=>{if(!n._listeners)return;let e=n._listeners.length;for(;e-- >0;)n._listeners[e](t);n._listeners=null})),this.promise.then=t=>{let e;const s=new Promise((t=>{n.subscribe(t),e=t})).then(t);return s.cancel=function(){n.unsubscribe(e)},s},t((function(t,s,i){n.reason||(n.reason=new ie(t,s,i),e(n.reason))}))}throwIfRequested(){if(this.reason)throw this.reason}subscribe(t){this.reason?t(this.reason):this._listeners?this._listeners.push(t):this._listeners=[t]}unsubscribe(t){if(!this._listeners)return;const e=this._listeners.indexOf(t);-1!==e&&this._listeners.splice(e,1)}static source(){let e;return{token:new t((function(t){e=t})),cancel:e}}},Ee.isCancel=se,Ee.VERSION="1.6.1",Ee.toFormData=Pt,Ee.AxiosError=Et,Ee.Cancel=Ee.CanceledError,Ee.all=function(t){return Promise.all(t)},Ee.spread=function(t){return function(e){return t.apply(null,e)}},Ee.isAxiosError=function(t){return Tt.isObject(t)&&!0===t.isAxiosError},Ee.mergeConfig=Ae,Ee.AxiosHeaders=ee,Ee.formToJSON=t=>Gt(Tt.isHTMLForm(t)?new FormData(t):t),Ee.getAdapter=pe,Ee.HttpStatusCode=Te,Ee.default=Ee;const ke=Ee,{Axios:Se,AxiosError:Le,CanceledError:Ne,isCancel:Ie,CancelToken:Fe,VERSION:Pe,all:Oe,Cancel:Be,isAxiosError:De,spread:je,toFormData:Ue,AxiosHeaders:Re,HttpStatusCode:ze,formToJSON:Me,getAdapter:Ve,mergeConfig:$e}=ke,qe=function(t){if(!Number.isInteger(1)&&1!==Number.POSITIVE_INFINITY)throw new TypeError("Expected `concurrency` to be a number from 1 and up");const e=new F.Z;let n=0;const s=async(t,s,i)=>{n++;const r=(async()=>t(...i))();s(r);try{await r}catch{}n--,e.size>0&&e.dequeue()()},i=(t,...i)=>new Promise((r=>{((t,i,r)=>{e.enqueue(P(s.bind(void 0,t,i,r))),(async()=>{await Promise.resolve(),n<1&&e.size>0&&e.dequeue()()})()})(t,r,i)}));return Object.defineProperties(i,{activeCount:{get:()=>n},pendingCount:{get:()=>e.size},clearQueue:{value(){e.clear()}}}),i}(),He=new FileReader,Ge=async function(t,e,n,s=(()=>{}),i=void 0,r={}){let a;return a=e instanceof Blob?e:await e(),i&&(r.Destination=i),r["Content-Type"]||(r["Content-Type"]="application/octet-stream"),await b.Z.request({method:"PUT",url:t,data:a,signal:n,onUploadProgress:s,headers:r})},Ze=function(t,e,n){return qe((()=>new Promise(((s,i)=>{He.onload=()=>{null!==He.result&&s(new Blob([He.result],{type:"application/octet-stream"})),i(new Error("Error while reading the file"))},He.readAsArrayBuffer(t.slice(e,e+n))}))))},Ye=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 We=(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))(We||{});let Ke=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(Ye()>0?Math.ceil(n/Ye()):1,1e4);this._source=t,this._isChunked=e&&Ye()>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 Je=(t=>null===t?(0,O.IY)().setApp("uploader").build():(0,O.IY)().setApp("uploader").setUid(t.uid).build())((0,v.ts)());var Qe=(t=>(t[t.IDLE=0]="IDLE",t[t.UPLOADING=1]="UPLOADING",t[t.PAUSED=2]="PAUSED",t))(Qe||{});class Xe{_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,v.ts)()?.uid,n=(0,y.generateRemoteUrl)(`dav/files/${t}`);if(!t)throw new Error("User is not logged in");e=new w.gt({id:0,owner:t,permissions:w.y3.ALL,root:`/files/${t}`,source:n})}this.destination=e,Je.debug("Upload workspace initialized",{destination:this.destination,root:this.root,isPublic:t,maxChunksSize:Ye()})}get destination(){return this._destinationFolder}set destination(t){if(!t)throw new Error("Invalid destination folder");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){const n=`${this.root}/${t.replace(/^\//,"")}`,{origin:s}=new URL(n),i=s+(0,A.Ec)(n.slice(s.length));Je.debug(`Uploading ${e.name} to ${i}`);const r=Ye(e.size),a=0===r||e.size{if(s(o.cancel),a){Je.debug("Initializing regular upload",{file:e,upload:o});const s=await Ze(e,0,o.size),r=async()=>{try{o.response=await Ge(i,s,o.signal,(()=>this.updateStats()),void 0,{"X-OC-Mtime":e.lastModified/1e3,"Content-Type":e.type}),o.uploaded=o.size,this.updateStats(),Je.debug(`Successfully uploaded ${e.name}`,{file:e,upload:o}),t(o)}catch(t){if(t instanceof Ne)return o.status=We.FAILED,void n("Upload has been cancelled");t?.response&&(o.response=t.response),o.status=We.FAILED,Je.error(`Failed uploading ${e.name}`,{error:t,file:e,upload:o}),n("Failed uploading the file")}this._notifiers.forEach((t=>{try{t(o)}catch{}}))};this._jobQueue.add(r),this.updateStats()}else{Je.debug("Initializing chunked upload",{file:e,upload:o});const s=await async function(t){const e=`${(0,y.generateRemoteUrl)(`dav/uploads/${(0,v.ts)()?.uid}`)}/web-file-upload-${[...Array(16)].map((()=>Math.floor(16*Math.random()).toString(16))).join("")}`,n=t?{Destination:t}:void 0;return await b.Z.request({method:"MKCOL",url:e,headers:n}),e}(i),a=[];for(let t=0;tZe(e,n,r),u=()=>Ge(`${s}/${t+1}`,c,o.signal,(()=>this.updateStats()),i,{"X-OC-Mtime":e.lastModified/1e3,"OC-Total-Length":e.size,"Content-Type":"application/octet-stream"}).then((()=>{o.uploaded=o.uploaded+r})).catch((e=>{throw e instanceof Ne||(Je.error(`Chunk ${t+1} ${n} - ${l} uploading failed`),o.status=We.FAILED),e}));a.push(this._jobQueue.add(u))}try{await Promise.all(a),this.updateStats(),o.response=await b.Z.request({method:"MOVE",url:`${s}/.file`,headers:{Destination:i}}),this.updateStats(),o.status=We.FINISHED,Je.debug(`Successfully uploaded ${e.name}`,{file:e,upload:o}),t(o)}catch(t){t instanceof Ne?(o.status=We.FAILED,n("Upload has been cancelled")):(o.status=We.FAILED,n("Failed assembling the chunks together")),b.Z.request({method:"DELETE",url:`${s}`})}this._notifiers.forEach((t=>{try{t(o)}catch{}}))}return this._jobQueue.onIdle().then((()=>this.reset())),o}))}}function tn(t,e,n,s,i,r,a,o){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),a?(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(a)},c._ssrRegister=l):i&&(l=o?function(){i.call(this,(c.functional?this.parent:this).$root.$options.shadowRoot)}:i),l)if(c.functional){c._injectStyles=l;var u=c.render;c.render=function(t,e){return l.call(e),u(t,e)}}else{var d=c.beforeCreate;c.beforeCreate=d?[].concat(d,l):[l]}return{exports:t,options:c}}const en=tn({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,"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,nn=tn({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,"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,sn=tn({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,"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,rn=(0,$.H)().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 , 2023","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:\nJohn Molakvoæ , 2023\nAli , 2023\n"},msgstr:["Last-Translator: Ali , 2023\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 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:["رفع ملفات"]},"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":"Transifex Bot <>, 2022","Language-Team":"Asturian (https://www.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:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Asturian (https://www.transifex.com/nextcloud/teams/64236/ast/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ast\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{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":"Pavel Borecki , 2023","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:\nJohn Molakvoæ , 2023\nPavel Borecki , 2023\n"},msgstr:["Last-Translator: Pavel Borecki , 2023\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 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"]},"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":"Jens Peter Nielsen , 2023","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:\nJohn Molakvoæ , 2023\nSimon T, 2023\nJens Peter Nielsen , 2023\n"},msgstr:["Last-Translator: Jens Peter Nielsen , 2023\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 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"]},"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 , 2023","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:\nJohn Molakvoæ , 2023\nMarkus Eckstein, 2023\nMario Siegmann , 2023\n"},msgstr:["Last-Translator: Mario Siegmann , 2023\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 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 ist 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"]},"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 , 2023","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:\nJohn Molakvoæ , 2023\nMark Ziegler , 2023\nMario Siegmann , 2023\n"},msgstr:["Last-Translator: Mario Siegmann , 2023\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 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"]},"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":"Next Cloud , 2023","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\n"},msgstr:["Last-Translator: Next Cloud , 2023\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:["estimación del 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"]},"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":"John Molakvoæ , 2023","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:\nJean-Claude Richard , 2023\nClément Saccoccio, 2023\nJohn Molakvoæ , 2023\n"},msgstr:["Last-Translator: John Molakvoæ , 2023\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 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, un nombre sera postfixé au nom du fichier."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Date de dernière modification 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:["Image d'aperçu"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Sélectionner toutes les cases"]},"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:["Envoi annulé"]},"Upload files":{msgid:"Upload files",msgstr:["Téléverser des fichiers"]},"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, 2022","Language-Team":"Korean (https://www.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:\nBrandon Han, 2022\n"},msgstr:["Last-Translator: Brandon Han, 2022\nLanguage-Team: Korean (https://www.transifex.com/nextcloud/teams/64236/ko/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ko\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:"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":"Ari Selseng , 2022","Language-Team":"Norwegian Bokmål (Norway) (https://www.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:\nAri Selseng , 2022\n"},msgstr:["Last-Translator: Ari Selseng , 2022\nLanguage-Team: Norwegian Bokmål (Norway) (https://www.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"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} sekunder igjen"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["{time} igjen"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["noen få sekunder igjen"]},Add:{msgid:"Add",msgstr:["Legg til"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Avbryt opplastninger"]},"estimating time left":{msgid:"estimating time left",msgstr:["Estimerer tid igjen"]},paused:{msgid:"paused",msgstr:["pauset"]},"Upload files":{msgid:"Upload files",msgstr:["Last opp filer"]}}}}},{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":"M H , 2023","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\n"},msgstr:["Last-Translator: M H , 2023\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"]},"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":"Flávio Veras , 2022","Language-Team":"Portuguese (Brazil) (https://www.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:\nLeonardo Colman , 2022\nJeann Cavalcante , 2022\nFlávio Veras , 2022\n"},msgstr:["Last-Translator: Flávio Veras , 2022\nLanguage-Team: Portuguese (Brazil) (https://www.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"]},"{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:["alguns segundos restantes"]},Add:{msgid:"Add",msgstr:["Adicionar"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Cancelar uploads"]},"estimating time left":{msgid:"estimating time left",msgstr:["estimando tempo restante"]},paused:{msgid:"paused",msgstr:["pausado"]},"Upload files":{msgid:"Upload files",msgstr:["Enviar arquivos"]}}}}},{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:["Отпреми фајлове"]},"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, 2023","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:\nJohn Molakvoæ , 2023\nMagnus Höglund, 2023\n"},msgstr:["Last-Translator: Magnus Höglund, 2023\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 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"]},"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 , 2023","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:\nJohn Molakvoæ , 2023\nKaya Zeren , 2023\n"},msgstr:["Last-Translator: Kaya Zeren , 2023\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 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"]},"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 , 2023","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:\nJohn Molakvoæ , 2023\nMehi Loki, 2023\nO St , 2023\n"},msgstr:["Last-Translator: O St , 2023\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 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:["Завантажте файли"]},"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":"blakduk, 2023","Language-Team":"Vietnamese (https://www.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:\nblakduk, 2023\n"},msgstr:["Last-Translator: blakduk, 2023\nLanguage-Team: Vietnamese (https://www.transifex.com/nextcloud/teams/64236/vi/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: vi\nPlural-Forms: nplurals=1; plural=0;\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["Còn {second} giây"]},"{time} left":{msgid:"{time} left",comments:{extracted:"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"]},Add:{msgid:"Add",msgstr:["Thêm"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Huỷ tải lên"]},"estimating time left":{msgid:"estimating time left",msgstr:["Thời gian còn lại dự kiến"]},paused:{msgid:"paused",msgstr:["đã tạm dừng"]},"Upload files":{msgid:"Upload files",msgstr:["Tập tin tải lên"]}}}}},{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":"黃柏諺 , 2023","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:\nJohn Molakvoæ , 2023\n黃柏諺 , 2023\n"},msgstr:["Last-Translator: 黃柏諺 , 2023\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:["還剩幾秒"]},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:["您必須為每個檔案都至少選取一個版本以繼續。"]}}}}}].map((t=>rn.addTranslation(t.locale,t.json)));const an=rn.build(),on=an.ngettext.bind(an),ln=an.gettext.bind(an),cn=j.default.extend({name:"UploadPicker",components:{Cancel:en,NcActionButton:U.Z,NcActions:R.Z,NcButton:z.Z,NcIconSvgWrapper:M.Z,NcProgressBar:V.Z,Plus:nn,Upload:sn},props:{accept:{type:Array,default:null},disabled:{type:Boolean,default:!1},multiple:{type:Boolean,default:!1},destination:{type:w.gt,default:void 0},content:{type:Array,default:()=>[]}},data:()=>({addLabel:ln("New"),cancelLabel:ln("Cancel uploads"),uploadLabel:ln("Upload files"),progressLabel:ln("Upload progress"),progressTimeId:`nc-uploader-progress-${Math.random().toString(36).slice(7)}`,eta:null,timeLeft:"",newFileMenuEntries:[],uploadManager:mn()}),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===We.FAILED)).length},isUploading(){return this.queue?.length>0},isAssembling(){return 0!==this.queue?.filter((t=>t.status===We.ASSEMBLING)).length},isPaused(){return this.uploadManager.info?.status===Qe.PAUSED},buttonName(){if(!this.isUploading)return this.addLabel}},watch:{destination(t){this.setDestination(t)},totalQueueSize(t){this.eta=D({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),Je.debug("UploadPicker initialised")},methods:{onClick(){this.$refs.input.click()},async onPick(){let t=[...this.$refs.input.files];if(function(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}(t,this.content)){const e=t.filter((t=>this.content.find((e=>e.basename===t.name)))).filter(Boolean),s=t.filter((t=>!e.includes(t)));try{const{selected:i,renamed:r}=await async function(t,e,s){const{default:i}=await n.e(3338).then(n.bind(n,83338));return new Promise(((n,r)=>{const a=new i({propsData:{dirname:t,conflicts:e,content:s}});a.$on("submit",(t=>{n(t),a.$destroy(),a.$el?.parentNode?.removeChild(a.$el)})),a.$on("cancel",(t=>{r(t??new Error("Canceled")),a.$destroy(),a.$el?.parentNode?.removeChild(a.$el)})),a.$mount(),document.body.appendChild(a.$el)}))}(this.destination.basename,e,this.content);t=[...s,...i,...r]}catch{return void(0,B.x2)(ln("Upload cancelled"))}}t.forEach((t=>{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=ln("paused"));const t=Math.round(this.eta.estimate());if(t!==1/0)if(t<10)this.timeLeft=ln("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=ln("{time} left",{time:n})}else this.timeLeft=ln("{seconds} seconds left",{seconds:t});else this.timeLeft=ln("estimating time left")},setDestination(t){this.destination?(Je.debug("Destination set",{destination:t}),this.uploadManager.destination=t,this.newFileMenuEntries=(0,w.Ir)(t)):Je.debug("Invalid destination")},onUploadCompletion(t){t.status===We.FAILED?this.$emit("failed",t):this.$emit("uploaded",t)}}}),un=tn(cn,(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,"af4c69fa",null,null).exports;let dn=null;function mn(){const t=null!==document.querySelector('input[name="isPublic"][value="1"]');return dn instanceof Xe||(dn=new Xe(t)),dn}}},r={};function a(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,a),n.loaded=!0,n.exports}a.m=i,e=[],a.O=(t,n,s,i)=>{if(!n){var r=1/0;for(u=0;u=i)&&Object.keys(a.O).every((t=>a.O[t](n[l])))?n.splice(l--,1):(o=!1,i0&&e[u-1][2]>i;u--)e[u]=e[u-1];e[u]=[n,s,i]},a.n=t=>{var e=t&&t.__esModule?()=>t.default:()=>t;return a.d(e,{a:e}),e},a.d=(t,e)=>{for(var n in e)a.o(e,n)&&!a.o(t,n)&&Object.defineProperty(t,n,{enumerable:!0,get:e[n]})},a.f={},a.e=t=>Promise.all(Object.keys(a.f).reduce(((e,n)=>(a.f[n](t,e),e)),[])),a.u=t=>t+"-"+t+".js?v="+{1215:"dd1ef4c4cc807022e660",3338:"5063540cac8e3f8aff98",5076:"15b21454a9691213632e"}[t],a.g=function(){if("object"==typeof globalThis)return globalThis;try{return this||new Function("return this")()}catch(t){if("object"==typeof window)return window}}(),a.o=(t,e)=>Object.prototype.hasOwnProperty.call(t,e),n={},s="nextcloud:",a.l=(t,e,i,r)=>{if(n[t])n[t].push(e);else{var o,l;if(void 0!==i)for(var c=document.getElementsByTagName("script"),u=0;u{o.onerror=o.onload=null,clearTimeout(p);var i=n[t];if(delete n[t],o.parentNode&&o.parentNode.removeChild(o),i&&i.forEach((t=>t(s))),e)return e(s)},p=setTimeout(m.bind(null,void 0,{type:"timeout",target:o}),12e4);o.onerror=m.bind(null,o.onerror),o.onload=m.bind(null,o.onload),l&&document.head.appendChild(o)}},a.r=t=>{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(t,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(t,"__esModule",{value:!0})},a.nmd=t=>(t.paths=[],t.children||(t.children=[]),t),a.j=2181,(()=>{var t;a.g.importScripts&&(t=a.g.location+"");var e=a.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;)t=n[s--].src}if(!t)throw new Error("Automatic publicPath is not supported in this browser");t=t.replace(/#.*$/,"").replace(/\?.*$/,"").replace(/\/[^\/]+$/,"/"),a.p=t})(),(()=>{a.b=document.baseURI||self.location.href;var t={2181:0};a.f.j=(e,n)=>{var s=a.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=a.p+a.u(e),o=new Error;a.l(r,(n=>{if(a.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;o.message="Loading chunk "+e+" failed.\n("+i+": "+r+")",o.name="ChunkLoadError",o.type=i,o.request=r,s[1](o)}}),"chunk-"+e,e)}},a.O.j=e=>0===t[e];var e=(e,n)=>{var s,i,r=n[0],o=n[1],l=n[2],c=0;if(r.some((e=>0!==t[e]))){for(s in o)a.o(o,s)&&(a.m[s]=o[s]);if(l)var u=l(a)}for(e&&e(n);ca(40412)));o=a.O(o)})(); +//# sourceMappingURL=files-main.js.map?v=ae6edb48992daebfe8c3 \ No newline at end of file diff --git a/dist/files-main.js.map b/dist/files-main.js.map index b68193a26d918..858a1517c783a 100644 --- a/dist/files-main.js.map +++ b/dist/files-main.js.map @@ -1 +1 @@ -{"version":3,"file":"files-main.js?v=bcf5b519ca85c6cddf0d","mappings":";UAAIA,ECAAC,EACAC,4BCCJ,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,oLC3Uf,GAAS,ECAN,SAASsC,IAEZ,MAA6B,oBAAdC,WAA+C,oBAAXC,OAC7CA,YACkB,IAAX,EAAAC,EACH,EAAAA,EACA,CAAC,CACf,CDJW,UAAIC,KAAKC,KCKb,MAAMC,EAAoC,mBAAVC,MCX1BC,EAAa,wBCA1B,IAAIC,EACAC,ECCG,MAAMC,EACT,WAAAC,CAAYC,EAAQC,GAChB/D,KAAKgE,OAAS,KACdhE,KAAKiE,YAAc,GACnBjE,KAAKkE,QAAU,GACflE,KAAK8D,OAASA,EACd9D,KAAK+D,KAAOA,EACZ,MAAMI,EAAkB,CAAC,EACzB,GAAIL,EAAOM,SACP,IAAK,MAAMC,KAAMP,EAAOM,SAAU,CAC9B,MAAME,EAAOR,EAAOM,SAASC,GAC7BF,EAAgBE,GAAMC,EAAKC,YAC/B,CAEJ,MAAMC,EAAsB,mCAAmCV,EAAOO,KACtE,IAAII,EAAkBlF,OAAOmF,OAAO,CAAC,EAAGP,GACxC,IACI,MAAMQ,EAAMC,aAAaC,QAAQL,GAC3BM,EAAOC,KAAKC,MAAML,GACxBpF,OAAOmF,OAAOD,EAAiBK,EACnC,CACA,MAAOG,GAEP,CACAjF,KAAKkF,UAAY,CACbC,YAAW,IACAV,EAEX,WAAAW,CAAYC,GACR,IACIT,aAAaU,QAAQd,EAAqBO,KAAKQ,UAAUF,GAC7D,CACA,MAAOJ,GAEP,CACAR,EAAkBY,CACtB,EACAG,IAAG,KACC,YDpCMhD,IAAdkB,IAGkB,oBAAXP,QAA0BA,OAAOsC,aACxC/B,GAAY,EACZC,EAAOR,OAAOsC,kBAES,IAAX,EAAArC,IAAwD,QAA5BsC,EAAK,EAAAtC,EAAOuC,kBAA+B,IAAPD,OAAgB,EAASA,EAAGD,cACxG/B,GAAY,EACZC,EAAO,EAAAP,EAAOuC,WAAWF,aAGzB/B,GAAY,GAXLA,EAgBuBC,EAAK6B,MAAQI,KAAKJ,MADjD,IAjBCE,CCsCI,GAEA3B,GACAA,EAAKpB,GF3CuB,uBE2CM,CAACkD,EAAUR,KACrCQ,IAAa7F,KAAK8D,OAAOO,IACzBrE,KAAKkF,UAAUE,YAAYC,EAC/B,IAGRrF,KAAK8F,UAAY,IAAItC,MAAM,CAAC,EAAG,CAC3BuC,IAAK,CAACC,EAASC,IACPjG,KAAKgE,OACEhE,KAAKgE,OAAOrB,GAAGsD,GAGf,IAAI7D,KACPpC,KAAKkE,QAAQ1D,KAAK,CACd0F,OAAQD,EACR7D,QACF,IAKlBpC,KAAKmG,cAAgB,IAAI3C,MAAM,CAAC,EAAG,CAC/BuC,IAAK,CAACC,EAASC,IACPjG,KAAKgE,OACEhE,KAAKgE,OAAOiC,GAEL,OAATA,EACEjG,KAAK8F,UAEPvG,OAAO6G,KAAKpG,KAAKkF,WAAWmB,SAASJ,GACnC,IAAI7D,KACPpC,KAAKiE,YAAYzD,KAAK,CAClB0F,OAAQD,EACR7D,OACAkE,QAAS,SAENtG,KAAKkF,UAAUe,MAAS7D,IAI5B,IAAIA,IACA,IAAImE,SAAQD,IACftG,KAAKiE,YAAYzD,KAAK,CAClB0F,OAAQD,EACR7D,OACAkE,WACF,KAM1B,CACA,mBAAME,CAAcxC,GAChBhE,KAAKgE,OAASA,EACd,IAAK,MAAMM,KAAQtE,KAAKkE,QACpBlE,KAAKgE,OAAOrB,GAAG2B,EAAK4B,WAAW5B,EAAKlC,MAExC,IAAK,MAAMkC,KAAQtE,KAAKiE,YACpBK,EAAKgC,cAActG,KAAKgE,OAAOM,EAAK4B,WAAW5B,EAAKlC,MAE5D,ECnGG,SAASqE,EAAoBC,EAAkBC,GAClD,MAAMC,EAAaF,EACb1C,EAASf,IACTc,EJRCd,IAAY4D,6BISbC,EAAcvD,GAAoBqD,EAAWG,iBACnD,IAAIhD,IAASC,EAAOgD,uCAA0CF,EAGzD,CACD,MAAMG,EAAQH,EAAc,IAAIlD,EAASgD,EAAY7C,GAAQ,MAChDC,EAAOkD,yBAA2BlD,EAAOkD,0BAA4B,IAC7E1G,KAAK,CACNkG,iBAAkBE,EAClBD,UACAM,UAEAA,GACAN,EAAQM,EAAMd,cACtB,MAZIpC,EAAKjC,KAAK2B,EAAYiD,EAAkBC,EAahD,gBCbA,IAAIQ,EAQJ,MAAMC,EAAkBC,GAAWF,EAAcE,EAK3CC,EAAsGC,SAE5G,SAASC,EAETC,GACI,OAAQA,GACS,iBAANA,GAC+B,oBAAtClI,OAAOC,UAAUkI,SAASxG,KAAKuG,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,oBAAX1E,OAOnB2E,EAA6F,oBAA1BC,uBAAyCA,uBAAiEF,EAY7KG,EAAwB,KAAyB,iBAAX7E,QAAuBA,OAAOA,SAAWA,OAC/EA,OACgB,iBAAT8E,MAAqBA,KAAKA,OAASA,KACtCA,KACkB,iBAAXC,QAAuBA,OAAOA,SAAWA,OAC5CA,OACsB,iBAAfC,WACHA,WACA,CAAEC,YAAa,MARH,GAkB9B,SAASC,EAASC,EAAKtH,EAAMuH,GACzB,MAAMC,EAAM,IAAIC,eAChBD,EAAIE,KAAK,MAAOJ,GAChBE,EAAIG,aAAe,OACnBH,EAAII,OAAS,WACTC,EAAOL,EAAIM,SAAU9H,EAAMuH,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,MAAOjE,GAAK,CACZ,OAAOuD,EAAIY,QAAU,KAAOZ,EAAIY,QAAU,GAC9C,CAEA,SAASC,EAAMC,GACX,IACIA,EAAKC,cAAc,IAAIC,WAAW,SACtC,CACA,MAAOvE,GACH,MAAM3E,EAAMmJ,SAASC,YAAY,eACjCpJ,EAAIqJ,eAAe,SAAS,GAAM,EAAMxG,OAAQ,EAAG,EAAG,EAAG,GAAI,IAAI,GAAO,GAAO,GAAO,EAAO,EAAG,MAChGmG,EAAKC,cAAcjJ,EACvB,CACJ,CACA,MAAMsJ,EACgB,iBAAd1G,UAAyBA,UAAY,CAAE2G,UAAW,IAIpDC,EAA+B,KAAO,YAAYC,KAAKH,EAAWC,YACpE,cAAcE,KAAKH,EAAWC,aAC7B,SAASE,KAAKH,EAAWC,WAFO,GAG/BhB,EAAUhB,EAGqB,oBAAtBmC,mBACH,aAAcA,kBAAkBxK,YAC/BsK,EAOb,SAAwBG,EAAMjJ,EAAO,WAAYuH,GAC7C,MAAM2B,EAAIT,SAASU,cAAc,KACjCD,EAAE7B,SAAWrH,EACbkJ,EAAEE,IAAM,WAGY,iBAATH,GAEPC,EAAEG,KAAOJ,EACLC,EAAEI,SAAWC,SAASD,OAClBnB,EAAYe,EAAEG,MACdhC,EAAS4B,EAAMjJ,EAAMuH,IAGrB2B,EAAElG,OAAS,SACXqF,EAAMa,IAIVb,EAAMa,KAKVA,EAAEG,KAAOG,IAAIC,gBAAgBR,GAC7BS,YAAW,WACPF,IAAIG,gBAAgBT,EAAEG,KAC1B,GAAG,KACHK,YAAW,WACPrB,EAAMa,EACV,GAAG,GAEX,EApCgB,qBAAsBN,EAqCtC,SAAkBK,EAAMjJ,EAAO,WAAYuH,GACvC,GAAoB,iBAAT0B,EACP,GAAId,EAAYc,GACZ5B,EAAS4B,EAAMjJ,EAAMuH,OAEpB,CACD,MAAM2B,EAAIT,SAASU,cAAc,KACjCD,EAAEG,KAAOJ,EACTC,EAAElG,OAAS,SACX0G,YAAW,WACPrB,EAAMa,EACV,GACJ,MAIAhH,UAAU0H,iBA/GlB,SAAaX,GAAM,QAAEY,GAAU,GAAU,CAAC,GAGtC,OAAIA,GACA,6EAA6Ed,KAAKE,EAAKa,MAChF,IAAIC,KAAK,CAACC,OAAOC,aAAa,OAAShB,GAAO,CAAEa,KAAMb,EAAKa,OAE/Db,CACX,CAuGmCiB,CAAIjB,EAAM1B,GAAOvH,EAEpD,EACA,SAAyBiJ,EAAMjJ,EAAMuH,EAAM4C,GAOvC,IAJAA,EAAQA,GAASzC,KAAK,GAAI,aAEtByC,EAAM1B,SAAS2B,MAAQD,EAAM1B,SAAS4B,KAAKC,UAAY,kBAEvC,iBAATrB,EACP,OAAO5B,EAAS4B,EAAMjJ,EAAMuH,GAChC,MAAMgD,EAAsB,6BAAdtB,EAAKa,KACbU,EAAW,eAAezB,KAAKiB,OAAOhD,EAAQI,eAAiB,WAAYJ,EAC3EyD,EAAc,eAAe1B,KAAK7G,UAAU2G,WAClD,IAAK4B,GAAgBF,GAASC,GAAa1B,IACjB,oBAAf4B,WAA4B,CAEnC,MAAMC,EAAS,IAAID,WACnBC,EAAOC,UAAY,WACf,IAAItD,EAAMqD,EAAOE,OACjB,GAAmB,iBAARvD,EAEP,MADA6C,EAAQ,KACF,IAAIW,MAAM,4BAEpBxD,EAAMmD,EACAnD,EACAA,EAAIyD,QAAQ,eAAgB,yBAC9BZ,EACAA,EAAMZ,SAASF,KAAO/B,EAGtBiC,SAAS7F,OAAO4D,GAEpB6C,EAAQ,IACZ,EACAQ,EAAOK,cAAc/B,EACzB,KACK,CACD,MAAM3B,EAAMkC,IAAIC,gBAAgBR,GAC5BkB,EACAA,EAAMZ,SAAS7F,OAAO4D,GAEtBiC,SAASF,KAAO/B,EACpB6C,EAAQ,KACRT,YAAW,WACPF,IAAIG,gBAAgBrC,EACxB,GAAG,IACP,CACJ,EA7GM,OAqHN,SAAS2D,EAAaC,EAASpB,GAC3B,MAAMqB,EAAe,MAAQD,EACS,mBAA3BE,uBAEPA,uBAAuBD,EAAcrB,GAEvB,UAATA,EACL9B,EAAQC,MAAMkD,GAEA,SAATrB,EACL9B,EAAQ1F,KAAK6I,GAGbnD,EAAQqD,IAAIF,EAEpB,CACA,SAASG,EAAQ7E,GACb,MAAO,OAAQA,GAAK,YAAaA,CACrC,CAMA,SAAS8E,IACL,KAAM,cAAerJ,WAEjB,OADA+I,EAAa,iDAAkD,UACxD,CAEf,CACA,SAASO,EAAqBvD,GAC1B,SAAIA,aAAiB6C,OACjB7C,EAAMiD,QAAQO,cAAcpG,SAAS,8BACrC4F,EAAa,kGAAmG,SACzG,EAGf,CAwCA,IAAIS,EAyCJ,SAASC,EAAgBtF,EAAOuF,GAC5B,IAAK,MAAMC,KAAOD,EAAO,CACrB,MAAME,EAAazF,EAAMuF,MAAMvH,MAAMwH,GAEjCC,EACAvN,OAAOmF,OAAOoI,EAAYF,EAAMC,IAIhCxF,EAAMuF,MAAMvH,MAAMwH,GAAOD,EAAMC,EAEvC,CACJ,CAEA,SAASE,EAAcC,GACnB,MAAO,CACHC,QAAS,CACLD,WAGZ,CACA,MAAME,EAAmB,kBACnBC,EAAgB,QACtB,SAASC,EAA4BC,GACjC,OAAOf,EAAQe,GACT,CACEhJ,GAAI8I,EACJG,MAAOJ,GAET,CACE7I,GAAIgJ,EAAME,IACVD,MAAOD,EAAME,IAEzB,CAmDA,SAASC,EAAgBzM,GACrB,OAAKA,EAEDa,MAAM6L,QAAQ1M,GAEPA,EAAO2M,QAAO,CAAC5I,EAAM3E,KACxB2E,EAAKsB,KAAK5F,KAAKL,EAAM0M,KACrB/H,EAAK6I,WAAWnN,KAAKL,EAAM2K,MAC3BhG,EAAK8I,SAASzN,EAAM0M,KAAO1M,EAAMyN,SACjC9I,EAAK+I,SAAS1N,EAAM0M,KAAO1M,EAAM0N,SAC1B/I,IACR,CACC8I,SAAU,CAAC,EACXxH,KAAM,GACNuH,WAAY,GACZE,SAAU,CAAC,IAIR,CACHC,UAAWf,EAAchM,EAAO+J,MAChC+B,IAAKE,EAAchM,EAAO8L,KAC1Be,SAAU7M,EAAO6M,SACjBC,SAAU9M,EAAO8M,UArBd,CAAC,CAwBhB,CACA,SAASE,EAAmBjD,GACxB,OAAQA,GACJ,KAAKlD,EAAaoG,OACd,MAAO,WACX,KAAKpG,EAAaqG,cAElB,KAAKrG,EAAasG,YACd,MAAO,SACX,QACI,MAAO,UAEnB,CAGA,IAAIC,GAAmB,EACvB,MAAMC,EAAsB,GACtBC,EAAqB,kBACrBC,EAAe,SACb5J,OAAQ6J,GAAahP,OAOvBiP,EAAgBnK,GAAO,MAAQA,EAQrC,SAASoK,EAAsBC,EAAKrH,GAChCZ,EAAoB,CAChBpC,GAAI,gBACJiJ,MAAO,WACPqB,KAAM,mCACNC,YAAa,QACbC,SAAU,0BACVT,sBACAM,QACAI,IACuB,mBAAZA,EAAItJ,KACXyG,EAAa,2MAEjB6C,EAAIC,iBAAiB,CACjB1K,GAAIgK,EACJf,MAAO,WACP0B,MAAO,WAEXF,EAAIG,aAAa,CACb5K,GAAIiK,EACJhB,MAAO,WACP4B,KAAM,UACNC,sBAAuB,gBACvBC,QAAS,CACL,CACIF,KAAM,eACNG,OAAQ,MA1P5BC,eAAqCjI,GACjC,IAAIkF,IAEJ,UACUrJ,UAAUqM,UAAUC,UAAUzK,KAAKQ,UAAU8B,EAAMuF,MAAMvH,QAC/D4G,EAAa,oCACjB,CACA,MAAOhD,GACH,GAAIuD,EAAqBvD,GACrB,OACJgD,EAAa,qEAAsE,SACnFjD,EAAQC,MAAMA,EAClB,CACJ,CA8OwBwG,CAAsBpI,EAAM,EAEhCqI,QAAS,gCAEb,CACIR,KAAM,gBACNG,OAAQC,gBAnP5BA,eAAsCjI,GAClC,IAAIkF,IAEJ,IACII,EAAgBtF,EAAOtC,KAAKC,YAAY9B,UAAUqM,UAAUI,aAC5D1D,EAAa,sCACjB,CACA,MAAOhD,GACH,GAAIuD,EAAqBvD,GACrB,OACJgD,EAAa,sFAAuF,SACpGjD,EAAQC,MAAMA,EAClB,CACJ,CAuO8B2G,CAAuBvI,GAC7ByH,EAAIe,kBAAkBvB,GACtBQ,EAAIgB,mBAAmBxB,EAAa,EAExCoB,QAAS,wDAEb,CACIR,KAAM,OACNG,OAAQ,MA9O5BC,eAAqCjI,GACjC,IACIwB,EAAO,IAAIkC,KAAK,CAAChG,KAAKQ,UAAU8B,EAAMuF,MAAMvH,QAAS,CACjDyF,KAAM,6BACN,mBACR,CACA,MAAO7B,GACHgD,EAAa,0EAA2E,SACxFjD,EAAQC,MAAMA,EAClB,CACJ,CAqOwB8G,CAAsB1I,EAAM,EAEhCqI,QAAS,iCAEb,CACIR,KAAM,cACNG,OAAQC,gBAhN5BA,eAAyCjI,GACrC,IACI,MAAMqB,GA1BLgE,IACDA,EAAYjD,SAASU,cAAc,SACnCuC,EAAU5B,KAAO,OACjB4B,EAAUsD,OAAS,SAEvB,WACI,OAAO,IAAIzJ,SAAQ,CAACD,EAAS2J,KACzBvD,EAAUwD,SAAWZ,UACjB,MAAMa,EAAQzD,EAAUyD,MACxB,IAAKA,EACD,OAAO7J,EAAQ,MACnB,MAAM8J,EAAOD,EAAM7L,KAAK,GACxB,OAEOgC,EAFF8J,EAEU,CAAEC,WAAYD,EAAKC,OAAQD,QADvB,KAC8B,EAGrD1D,EAAU4D,SAAW,IAAMhK,EAAQ,MACnCoG,EAAU3D,QAAUkH,EACpBvD,EAAUrD,OAAO,GAEzB,GAMUwC,QAAenD,IACrB,IAAKmD,EACD,OACJ,MAAM,KAAEwE,EAAI,KAAED,GAASvE,EACvBc,EAAgBtF,EAAOtC,KAAKC,MAAMqL,IAClCpE,EAAa,+BAA+BmE,EAAKpP,SACrD,CACA,MAAOiI,GACHgD,EAAa,4EAA6E,SAC1FjD,EAAQC,MAAMA,EAClB,CACJ,CAmM8BsH,CAA0BlJ,GAChCyH,EAAIe,kBAAkBvB,GACtBQ,EAAIgB,mBAAmBxB,EAAa,EAExCoB,QAAS,sCAGjBc,YAAa,CACT,CACItB,KAAM,UACNQ,QAAS,kCACTL,OAASoB,IACL,MAAMpD,EAAQhG,EAAMqJ,GAAG3K,IAAI0K,GACtBpD,EAG4B,mBAAjBA,EAAMsD,OAClB1E,EAAa,iBAAiBwE,kEAAwE,SAGtGpD,EAAMsD,SACN1E,EAAa,UAAUwE,cAPvBxE,EAAa,iBAAiBwE,oCAA0C,OAQ5E,MAKhB3B,EAAInM,GAAGiO,kBAAiB,CAACC,EAASC,KAC9B,MAAM7J,EAAS4J,EAAQE,mBACnBF,EAAQE,kBAAkB9J,MAC9B,GAAIA,GAASA,EAAM+J,SAAU,CACzB,MAAMC,EAAcJ,EAAQE,kBAAkB9J,MAAM+J,SACpDzR,OAAO2R,OAAOD,GAAaE,SAAS9D,IAChCwD,EAAQO,aAAaxE,MAAMpM,KAAK,CAC5BsK,KAAM0D,EAAanB,EAAME,KACzBV,IAAK,QACLwE,UAAU,EACVhM,MAAOgI,EAAMiE,cACP,CACErE,QAAS,CACL5H,OAAO,IAAAkM,OAAMlE,EAAMmE,QACnBpC,QAAS,CACL,CACIF,KAAM,UACNQ,QAAS,gCACTL,OAAQ,IAAMhC,EAAMsD,aAMhCpR,OAAO6G,KAAKiH,EAAMmE,QAAQ9D,QAAO,CAACd,EAAOC,KACrCD,EAAMC,GAAOQ,EAAMmE,OAAO3E,GACnBD,IACR,CAAC,KAEZS,EAAMoE,UAAYpE,EAAMoE,SAAS/P,QACjCmP,EAAQO,aAAaxE,MAAMpM,KAAK,CAC5BsK,KAAM0D,EAAanB,EAAME,KACzBV,IAAK,UACLwE,UAAU,EACVhM,MAAOgI,EAAMoE,SAAS/D,QAAO,CAACgE,EAAS7E,KACnC,IACI6E,EAAQ7E,GAAOQ,EAAMR,EACzB,CACA,MAAO5D,GAEHyI,EAAQ7E,GAAO5D,CACnB,CACA,OAAOyI,CAAO,GACf,CAAC,IAEZ,GAER,KAEJ5C,EAAInM,GAAGgP,kBAAkBd,IACrB,GAAIA,EAAQnC,MAAQA,GAAOmC,EAAQe,cAAgBtD,EAAc,CAC7D,IAAIuD,EAAS,CAACxK,GACdwK,EAASA,EAAOxQ,OAAOO,MAAMkQ,KAAKzK,EAAMqJ,GAAGQ,WAC3CL,EAAQkB,WAAalB,EAAQmB,OACvBH,EAAOG,QAAQ3E,GAAU,QAASA,EAC9BA,EAAME,IACHd,cACApG,SAASwK,EAAQmB,OAAOvF,eAC3BS,EAAiBT,cAAcpG,SAASwK,EAAQmB,OAAOvF,iBAC3DoF,GAAQI,IAAI7E,EACtB,KAEJ0B,EAAInM,GAAGuP,mBAAmBrB,IACtB,GAAIA,EAAQnC,MAAQA,GAAOmC,EAAQe,cAAgBtD,EAAc,CAC7D,MAAM6D,EAAiBtB,EAAQJ,SAAWtD,EACpC9F,EACAA,EAAMqJ,GAAG3K,IAAI8K,EAAQJ,QAC3B,IAAK0B,EAGD,OAEAA,IACAtB,EAAQjE,MApQ5B,SAAsCS,GAClC,GAAIf,EAAQe,GAAQ,CAChB,MAAM+E,EAAaxQ,MAAMkQ,KAAKzE,EAAMqD,GAAGtK,QACjCiM,EAAWhF,EAAMqD,GACjB9D,EAAQ,CACVA,MAAOwF,EAAWH,KAAKK,IAAY,CAC/BjB,UAAU,EACVxE,IAAKyF,EACLjN,MAAOgI,EAAMT,MAAMvH,MAAMiN,OAE7BZ,QAASU,EACJJ,QAAQ3N,GAAOgO,EAAStM,IAAI1B,GAAIoN,WAChCQ,KAAK5N,IACN,MAAMgJ,EAAQgF,EAAStM,IAAI1B,GAC3B,MAAO,CACHgN,UAAU,EACVxE,IAAKxI,EACLgB,MAAOgI,EAAMoE,SAAS/D,QAAO,CAACgE,EAAS7E,KACnC6E,EAAQ7E,GAAOQ,EAAMR,GACd6E,IACR,CAAC,GACP,KAGT,OAAO9E,CACX,CACA,MAAMA,EAAQ,CACVA,MAAOrN,OAAO6G,KAAKiH,EAAMmE,QAAQS,KAAKpF,IAAQ,CAC1CwE,UAAU,EACVxE,MACAxH,MAAOgI,EAAMmE,OAAO3E,QAkB5B,OAdIQ,EAAMoE,UAAYpE,EAAMoE,SAAS/P,SACjCkL,EAAM8E,QAAUrE,EAAMoE,SAASQ,KAAKM,IAAe,CAC/ClB,UAAU,EACVxE,IAAK0F,EACLlN,MAAOgI,EAAMkF,QAGjBlF,EAAMmF,kBAAkBC,OACxB7F,EAAM8F,iBAAmB9Q,MAAMkQ,KAAKzE,EAAMmF,mBAAmBP,KAAKpF,IAAQ,CACtEwE,UAAU,EACVxE,MACAxH,MAAOgI,EAAMR,QAGdD,CACX,CAmNoC+F,CAA6BR,GAErD,KAEJrD,EAAInM,GAAGiQ,oBAAmB,CAAC/B,EAASC,KAChC,GAAID,EAAQnC,MAAQA,GAAOmC,EAAQe,cAAgBtD,EAAc,CAC7D,MAAM6D,EAAiBtB,EAAQJ,SAAWtD,EACpC9F,EACAA,EAAMqJ,GAAG3K,IAAI8K,EAAQJ,QAC3B,IAAK0B,EACD,OAAOlG,EAAa,UAAU4E,EAAQJ,oBAAqB,SAE/D,MAAM,KAAEoC,GAAShC,EACZvE,EAAQ6F,GAUTU,EAAKC,QAAQ,SARO,IAAhBD,EAAKnR,QACJyQ,EAAeK,kBAAkBlT,IAAIuT,EAAK,OAC3CA,EAAK,KAAMV,EAAeX,SAC1BqB,EAAKC,QAAQ,UAOrB3E,GAAmB,EACnB0C,EAAQkC,IAAIZ,EAAgBU,EAAMhC,EAAQjE,MAAMvH,OAChD8I,GAAmB,CACvB,KAEJW,EAAInM,GAAGqQ,oBAAoBnC,IACvB,GAAIA,EAAQ/F,KAAKmI,WAAW,MAAO,CAC/B,MAAMX,EAAUzB,EAAQ/F,KAAKiB,QAAQ,SAAU,IACzCsB,EAAQhG,EAAMqJ,GAAG3K,IAAIuM,GAC3B,IAAKjF,EACD,OAAOpB,EAAa,UAAUqG,eAAsB,SAExD,MAAM,KAAEO,GAAShC,EACjB,GAAgB,UAAZgC,EAAK,GACL,OAAO5G,EAAa,2BAA2BqG,QAAcO,kCAIjEA,EAAK,GAAK,SACV1E,GAAmB,EACnB0C,EAAQkC,IAAI1F,EAAOwF,EAAMhC,EAAQjE,MAAMvH,OACvC8I,GAAmB,CACvB,IACF,GAEV,CAgLA,IACI+E,EADAC,EAAkB,EAUtB,SAASC,EAAuB/F,EAAOgG,EAAaC,GAEhD,MAAMlE,EAAUiE,EAAY3F,QAAO,CAAC6F,EAAcC,KAE9CD,EAAaC,IAAc,IAAAjC,OAAMlE,GAAOmG,GACjCD,IACR,CAAC,GACJ,IAAK,MAAMC,KAAcpE,EACrB/B,EAAMmG,GAAc,WAEhB,MAAMC,EAAYN,EACZO,EAAeJ,EACf,IAAI9P,MAAM6J,EAAO,CACftH,IAAG,IAAI3D,KACH8Q,EAAeO,EACRE,QAAQ5N,OAAO3D,IAE1B2Q,IAAG,IAAI3Q,KACH8Q,EAAeO,EACRE,QAAQZ,OAAO3Q,MAG5BiL,EAEN6F,EAAeO,EACf,MAAMG,EAAWxE,EAAQoE,GAAY/Q,MAAMiR,EAAcpR,WAGzD,OADA4Q,OAAe1Q,EACRoR,CACX,CAER,CAIA,SAASC,GAAe,IAAEnF,EAAG,MAAErB,EAAK,QAAEyG,IAElC,GAAIzG,EAAME,IAAI0F,WAAW,UACrB,OAGJ5F,EAAMiE,gBAAkBwC,EAAQlH,MAChCwG,EAAuB/F,EAAO9N,OAAO6G,KAAK0N,EAAQ1E,SAAU/B,EAAMiE,eAElE,MAAMyC,EAAoB1G,EAAM2G,YAChC,IAAAzC,OAAMlE,GAAO2G,WAAa,SAAUC,GAChCF,EAAkBtR,MAAMzC,KAAMsC,WAC9B8Q,EAAuB/F,EAAO9N,OAAO6G,KAAK6N,EAASC,YAAY9E,WAAY/B,EAAMiE,cACrF,EAzOJ,SAA4B5C,EAAKrB,GACxBe,EAAoB/H,SAASmI,EAAanB,EAAME,OACjDa,EAAoB5N,KAAKgO,EAAanB,EAAME,MAEhD9G,EAAoB,CAChBpC,GAAI,gBACJiJ,MAAO,WACPqB,KAAM,mCACNC,YAAa,QACbC,SAAU,0BACVT,sBACAM,MACAtK,SAAU,CACN+P,gBAAiB,CACb7G,MAAO,kCACPxC,KAAM,UACNvG,cAAc,MAQtBuK,IAEA,MAAMtJ,EAAyB,mBAAZsJ,EAAItJ,IAAqBsJ,EAAItJ,IAAI4O,KAAKtF,GAAOlJ,KAAKJ,IACrE6H,EAAMgH,WAAU,EAAGC,QAAOC,UAASvT,OAAMoB,WACrC,MAAMoS,EAAUrB,IAChBrE,EAAI2F,iBAAiB,CACjBC,QAASrG,EACTlO,MAAO,CACHwU,KAAMnP,IACN4F,MAAO,MAAQpK,EACf4T,SAAU,QACV9P,KAAM,CACFuI,MAAON,EAAcM,EAAME,KAC3B8B,OAAQtC,EAAc/L,GACtBoB,QAEJoS,aAGRF,GAAOzI,IACHqH,OAAe1Q,EACfsM,EAAI2F,iBAAiB,CACjBC,QAASrG,EACTlO,MAAO,CACHwU,KAAMnP,IACN4F,MAAO,MAAQpK,EACf4T,SAAU,MACV9P,KAAM,CACFuI,MAAON,EAAcM,EAAME,KAC3B8B,OAAQtC,EAAc/L,GACtBoB,OACAyJ,UAEJ2I,YAEN,IAEND,GAAStL,IACLiK,OAAe1Q,EACfsM,EAAI2F,iBAAiB,CACjBC,QAASrG,EACTlO,MAAO,CACHwU,KAAMnP,IACNqP,QAAS,QACTzJ,MAAO,MAAQpK,EACf4T,SAAU,MACV9P,KAAM,CACFuI,MAAON,EAAcM,EAAME,KAC3B8B,OAAQtC,EAAc/L,GACtBoB,OACA6G,SAEJuL,YAEN,GACJ,IACH,GACHnH,EAAMmF,kBAAkBrB,SAASnQ,KAC7B,IAAA8T,QAAM,KAAM,IAAAC,OAAM1H,EAAMrM,MAAQ,CAAC6M,EAAUD,KACvCkB,EAAIkG,wBACJlG,EAAIgB,mBAAmBxB,GACnBH,GACAW,EAAI2F,iBAAiB,CACjBC,QAASrG,EACTlO,MAAO,CACHwU,KAAMnP,IACN4F,MAAO,SACPwJ,SAAU5T,EACV8D,KAAM,CACF+I,WACAD,YAEJ4G,QAAStB,IAGrB,GACD,CAAE+B,MAAM,GAAO,IAEtB5H,EAAM6H,YAAW,EAAGnU,SAAQ+J,QAAQ8B,KAGhC,GAFAkC,EAAIkG,wBACJlG,EAAIgB,mBAAmBxB,IAClBH,EACD,OAEJ,MAAMgH,EAAY,CACdR,KAAMnP,IACN4F,MAAO2C,EAAmBjD,GAC1BhG,KAAMyJ,EAAS,CAAElB,MAAON,EAAcM,EAAME,MAAQC,EAAgBzM,IACpEyT,QAAStB,GAETpI,IAASlD,EAAaqG,cACtBkH,EAAUP,SAAW,KAEhB9J,IAASlD,EAAasG,YAC3BiH,EAAUP,SAAW,KAEhB7T,IAAWa,MAAM6L,QAAQ1M,KAC9BoU,EAAUP,SAAW7T,EAAO+J,MAE5B/J,IACAoU,EAAUrQ,KAAK,eAAiB,CAC5BmI,QAAS,CACLD,QAAS,gBACTlC,KAAM,SACN4E,QAAS,sBACTrK,MAAOtE,KAInB+N,EAAI2F,iBAAiB,CACjBC,QAASrG,EACTlO,MAAOgV,GACT,GACH,CAAEC,UAAU,EAAMC,MAAO,SAC5B,MAAMC,EAAYjI,EAAM2G,WACxB3G,EAAM2G,YAAa,IAAAuB,UAAStB,IACxBqB,EAAUrB,GACVnF,EAAI2F,iBAAiB,CACjBC,QAASrG,EACTlO,MAAO,CACHwU,KAAMnP,IACN4F,MAAO,MAAQiC,EAAME,IACrBqH,SAAU,aACV9P,KAAM,CACFuI,MAAON,EAAcM,EAAME,KAC3BiI,KAAMzI,EAAc,kBAKhC+B,EAAIkG,wBACJlG,EAAIe,kBAAkBvB,GACtBQ,EAAIgB,mBAAmBxB,EAAa,IAExC,MAAM,SAAEmH,GAAapI,EACrBA,EAAMoI,SAAW,KACbA,IACA3G,EAAIkG,wBACJlG,EAAIe,kBAAkBvB,GACtBQ,EAAIgB,mBAAmBxB,GACvBQ,EAAI3J,cAAcgP,iBACdlI,EAAa,aAAaoB,EAAME,gBAAgB,EAGxDuB,EAAIkG,wBACJlG,EAAIe,kBAAkBvB,GACtBQ,EAAIgB,mBAAmBxB,GACvBQ,EAAI3J,cAAcgP,iBACdlI,EAAa,IAAIoB,EAAME,0BAA0B,GAE7D,CA4DImI,CAAmBhH,EAEnBrB,EACJ,CAuJA,MAAMsI,EAAO,OACb,SAASC,EAAgBC,EAAeC,EAAUV,EAAUW,EAAYJ,GACpEE,EAAcrV,KAAKsV,GACnB,MAAME,EAAqB,KACvB,MAAMC,EAAMJ,EAAcK,QAAQJ,GAC9BG,GAAO,IACPJ,EAAcM,OAAOF,EAAK,GAC1BF,IACJ,EAKJ,OAHKX,IAAY,IAAAgB,qBACb,IAAAC,gBAAeL,GAEZA,CACX,CACA,SAASM,GAAqBT,KAAkBzT,GAC5CyT,EAAc1U,QAAQgQ,SAAS2E,IAC3BA,KAAY1T,EAAK,GAEzB,CAEA,MAAMmU,GAA0B1W,GAAOA,IACvC,SAAS2W,GAAqBxS,EAAQyS,GAE9BzS,aAAkB0S,KAAOD,aAAwBC,KACjDD,EAAatF,SAAQ,CAAC9L,EAAOwH,IAAQ7I,EAAO+O,IAAIlG,EAAKxH,KAGrDrB,aAAkB2S,KAAOF,aAAwBE,KACjDF,EAAatF,QAAQnN,EAAO4S,IAAK5S,GAGrC,IAAK,MAAM6I,KAAO4J,EAAc,CAC5B,IAAKA,EAAahX,eAAeoN,GAC7B,SACJ,MAAMgK,EAAWJ,EAAa5J,GACxBiK,EAAc9S,EAAO6I,GACvBrF,EAAcsP,IACdtP,EAAcqP,IACd7S,EAAOvE,eAAeoN,MACrB,IAAAkK,OAAMF,MACN,IAAAG,YAAWH,GAIZ7S,EAAO6I,GAAO2J,GAAqBM,EAAaD,GAIhD7S,EAAO6I,GAAOgK,CAEtB,CACA,OAAO7S,CACX,CACA,MAAMiT,GAE2B1P,SAC3B2P,GAA+B,IAAIC,SAyBjCzS,OAAM,IAAKnF,OA8CnB,SAAS6X,GAAiB7J,EAAK8J,EAAOvD,EAAU,CAAC,EAAGzM,EAAOiQ,EAAKC,GAC5D,IAAIC,EACJ,MAAMC,EAAmB,GAAO,CAAErI,QAAS,CAAC,GAAK0E,GAM3C4D,EAAoB,CACtBzC,MAAM,GAwBV,IAAI0C,EACAC,EAGAC,EAFAhC,EAAgB,GAChBiC,EAAsB,GAE1B,MAAMC,EAAe1Q,EAAMuF,MAAMvH,MAAMkI,GAGlCgK,GAAmBQ,IAEhB,GACA,IAAAhF,KAAI1L,EAAMuF,MAAMvH,MAAOkI,EAAK,CAAC,GAG7BlG,EAAMuF,MAAMvH,MAAMkI,GAAO,CAAC,GAGlC,MAAMyK,GAAW,IAAAC,KAAI,CAAC,GAGtB,IAAIC,EACJ,SAASC,EAAOC,GACZ,IAAIC,EACJV,EAAcC,GAAkB,EAMK,mBAA1BQ,GACPA,EAAsB/Q,EAAMuF,MAAMvH,MAAMkI,IACxC8K,EAAuB,CACnBvN,KAAMlD,EAAaqG,cACnBqE,QAAS/E,EACTxM,OAAQ8W,KAIZrB,GAAqBnP,EAAMuF,MAAMvH,MAAMkI,GAAM6K,GAC7CC,EAAuB,CACnBvN,KAAMlD,EAAasG,YACnB2C,QAASuH,EACT9F,QAAS/E,EACTxM,OAAQ8W,IAGhB,MAAMS,EAAgBJ,EAAiB3Q,UACvC,IAAAgR,YAAWC,MAAK,KACRN,IAAmBI,IACnBX,GAAc,EAClB,IAEJC,GAAkB,EAElBtB,GAAqBT,EAAewC,EAAsBhR,EAAMuF,MAAMvH,MAAMkI,GAChF,CACA,MAAMoD,EAAS4G,EACT,WACE,MAAM,MAAE3K,GAAUkH,EACZ2E,EAAW7L,EAAQA,IAAU,CAAC,EAEpC5M,KAAKmY,QAAQ3G,IACT,GAAOA,EAAQiH,EAAS,GAEhC,EAMU9C,EAcd,SAAS+C,EAAW1X,EAAMqO,GACtB,OAAO,WACHjI,EAAeC,GACf,MAAMjF,EAAOR,MAAMkQ,KAAKxP,WAClBqW,EAAoB,GACpBC,EAAsB,GAe5B,IAAIC,EAPJvC,GAAqBwB,EAAqB,CACtC1V,OACApB,OACAqM,QACAiH,MAXJ,SAAewB,GACX6C,EAAkBnY,KAAKsV,EAC3B,EAUIvB,QATJ,SAAiBuB,GACb8C,EAAoBpY,KAAKsV,EAC7B,IAUA,IACI+C,EAAMxJ,EAAO5M,MAAMzC,MAAQA,KAAKuN,MAAQA,EAAMvN,KAAOqN,EAAOjL,EAEhE,CACA,MAAO6G,GAEH,MADAqN,GAAqBsC,EAAqB3P,GACpCA,CACV,CACA,OAAI4P,aAAetS,QACRsS,EACFL,MAAMnT,IACPiR,GAAqBqC,EAAmBtT,GACjCA,KAENyT,OAAO7P,IACRqN,GAAqBsC,EAAqB3P,GACnC1C,QAAQ0J,OAAOhH,OAI9BqN,GAAqBqC,EAAmBE,GACjCA,EACX,CACJ,CACA,MAAM3E,GAA4B,IAAAqB,SAAQ,CACtCnG,QAAS,CAAC,EACVsC,QAAS,CAAC,EACV9E,MAAO,GACPoL,aAEEe,EAAe,CACjBC,GAAI3R,EAEJkG,MACA8G,UAAWuB,EAAgBxB,KAAK,KAAM0D,GACtCK,SACAxH,SACA,UAAAuE,CAAWY,EAAUhC,EAAU,CAAC,GAC5B,MAAMkC,EAAqBJ,EAAgBC,EAAeC,EAAUhC,EAAQsB,UAAU,IAAM6D,MACtFA,EAAczB,EAAM0B,KAAI,KAAM,IAAApE,QAAM,IAAMzN,EAAMuF,MAAMvH,MAAMkI,KAAOX,KAC/C,SAAlBkH,EAAQuB,MAAmBuC,EAAkBD,IAC7C7B,EAAS,CACLxD,QAAS/E,EACTzC,KAAMlD,EAAaoG,OACnBjN,OAAQ8W,GACTjL,EACP,GACD,GAAO,CAAC,EAAG8K,EAAmB5D,MACjC,OAAOkC,CACX,EACAP,SApFJ,WACI+B,EAAM2B,OACNtD,EAAgB,GAChBiC,EAAsB,GACtBzQ,EAAMqJ,GAAG0I,OAAO7L,EACpB,GAkFI,IAEAwL,EAAaM,IAAK,GAEtB,MAAMhM,GAAQ,IAAAiM,UAAoDxR,EAC5D,GAAO,CACLoM,cACA1B,mBAAmB,IAAA+C,SAAQ,IAAIoB,MAChCoC,GAIDA,GAGN1R,EAAMqJ,GAAGqC,IAAIxF,EAAKF,GAClB,MAEMkM,GAFkBlS,EAAM3B,IAAM2B,EAAM3B,GAAG8T,gBAAmBjD,KAE9B,IAAMlP,EAAMoS,GAAGP,KAAI,KAAO1B,GAAQ,IAAAkC,gBAAeR,IAAI7B,OAEvF,IAAK,MAAMxK,KAAO0M,EAAY,CAC1B,MAAMtT,EAAOsT,EAAW1M,GACxB,IAAK,IAAAkK,OAAM9Q,KAlQCwB,EAkQoBxB,IAjQ1B,IAAA8Q,OAAMtP,KAAMA,EAAEkS,UAiQsB,IAAA3C,YAAW/Q,GAOvCsR,KAEFQ,IAjRG6B,EAiR2B3T,EAhRvC,EAC2BiR,GAAe5X,IAAIsa,GAC9CpS,EAAcoS,IAASA,EAAIna,eAAewX,QA+Q7B,IAAAF,OAAM9Q,GACNA,EAAKZ,MAAQ0S,EAAalL,GAK1B2J,GAAqBvQ,EAAM8R,EAAalL,KAK5C,GACA,IAAAkG,KAAI1L,EAAMuF,MAAMvH,MAAMkI,GAAMV,EAAK5G,GAGjCoB,EAAMuF,MAAMvH,MAAMkI,GAAKV,GAAO5G,QASrC,GAAoB,mBAATA,EAAqB,CAEjC,MAAM4T,EAAsEnB,EAAW7L,EAAK5G,GAIxF,GACA,IAAA8M,KAAIwG,EAAY1M,EAAKgN,GAIrBN,EAAW1M,GAAOgN,EAQtBpC,EAAiBrI,QAAQvC,GAAO5G,CACpC,CAgBJ,CA9UJ,IAAuB2T,EAMHnS,EA4ahB,GAjGI,EACAlI,OAAO6G,KAAKmT,GAAYpI,SAAStE,KAC7B,IAAAkG,KAAI1F,EAAOR,EAAK0M,EAAW1M,GAAK,KAIpC,GAAOQ,EAAOkM,GAGd,IAAO,IAAAhI,OAAMlE,GAAQkM,IAKzBha,OAAOua,eAAezM,EAAO,SAAU,CACnCtH,IAAK,IAAyEsB,EAAMuF,MAAMvH,MAAMkI,GAChGwF,IAAMnG,IAKFuL,GAAQ3G,IACJ,GAAOA,EAAQ5E,EAAM,GACvB,IA0EN9E,EAAc,CACd,MAAMiS,EAAgB,CAClBC,UAAU,EACVC,cAAc,EAEdC,YAAY,GAEhB,CAAC,KAAM,cAAe,WAAY,qBAAqB/I,SAASgJ,IAC5D5a,OAAOua,eAAezM,EAAO8M,EAAG,GAAO,CAAE9U,MAAOgI,EAAM8M,IAAMJ,GAAe,GAEnF,CA6CA,OA3CI,IAEA1M,EAAMgM,IAAK,GAGfhS,EAAM2R,GAAG7H,SAASiJ,IAEd,GAAItS,EAAc,CACd,MAAMuS,EAAa7C,EAAM0B,KAAI,IAAMkB,EAAS,CACxC/M,QACAqB,IAAKrH,EAAM3B,GACX2B,QACAyM,QAAS2D,MAEblY,OAAO6G,KAAKiU,GAAc,CAAC,GAAGlJ,SAAStE,GAAQQ,EAAMmF,kBAAkBoE,IAAI/J,KAC3E,GAAOQ,EAAOgN,EAClB,MAEI,GAAOhN,EAAOmK,EAAM0B,KAAI,IAAMkB,EAAS,CACnC/M,QACAqB,IAAKrH,EAAM3B,GACX2B,QACAyM,QAAS2D,MAEjB,IAYAM,GACAR,GACAzD,EAAQwG,SACRxG,EAAQwG,QAAQjN,EAAMmE,OAAQuG,GAElCJ,GAAc,EACdC,GAAkB,EACXvK,CACX,CACA,SAASkN,GAETC,EAAanD,EAAOoD,GAChB,IAAIpW,EACAyP,EACJ,MAAM4G,EAAgC,mBAAVrD,EAa5B,SAASsD,EAAStT,EAAOiQ,GACrB,MAAMsD,KNrlDH,IAAAC,sBMyoDH,OAnDAxT,EAGuFA,IAC9EuT,GAAa,IAAAE,QAAOxT,EAAa,MAAQ,QAE9CF,EAAeC,IAMnBA,EAAQF,GACGuJ,GAAGpR,IAAI+E,KAEVqW,EACAtD,GAAiB/S,EAAIgT,EAAOvD,EAASzM,GAtgBrD,SAA4BhD,EAAIyP,EAASzM,EAAOiQ,GAC5C,MAAM,MAAE1K,EAAK,QAAEwC,EAAO,QAAEsC,GAAYoC,EAC9BiE,EAAe1Q,EAAMuF,MAAMvH,MAAMhB,GACvC,IAAIgJ,EAoCJA,EAAQ+J,GAAiB/S,GAnCzB,WACS0T,IAEG,GACA,IAAAhF,KAAI1L,EAAMuF,MAAMvH,MAAOhB,EAAIuI,EAAQA,IAAU,CAAC,GAG9CvF,EAAMuF,MAAMvH,MAAMhB,GAAMuI,EAAQA,IAAU,CAAC,GAInD,MAAMmO,GAGA,IAAAC,QAAO3T,EAAMuF,MAAMvH,MAAMhB,IAC/B,OAAO,GAAO0W,EAAY3L,EAAS7P,OAAO6G,KAAKsL,GAAW,CAAC,GAAGhE,QAAO,CAACuN,EAAiBja,KAInFia,EAAgBja,IAAQ,IAAAuU,UAAQ,IAAA2F,WAAS,KACrC9T,EAAeC,GAEf,MAAMgG,EAAQhG,EAAMqJ,GAAG3K,IAAI1B,GAG3B,IAAI,GAAWgJ,EAAMgM,GAKrB,OAAO3H,EAAQ1Q,GAAME,KAAKmM,EAAOA,EAAM,KAEpC4N,IACR,CAAC,GACR,GACoCnH,EAASzM,EAAOiQ,GAAK,EAE7D,CAgegB6D,CAAmB9W,EAAIyP,EAASzM,IAQ1BA,EAAMqJ,GAAG3K,IAAI1B,EAyB/B,CAEA,MApE2B,iBAAhBmW,GACPnW,EAAKmW,EAEL1G,EAAU4G,EAAeD,EAAepD,IAGxCvD,EAAU0G,EACVnW,EAAKmW,EAAYnW,IA4DrBsW,EAASpN,IAAMlJ,EACRsW,CACX,wCC3tDA,MAAMS,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,EAAW/Z,OACd,OAAO+Z,EAGRC,EAAQA,GAAS,EAGjB,MAAMG,EAAOJ,EAAWta,MAAM,EAAGua,GAC3BI,EAAQL,EAAWta,MAAMua,GAE/B,OAAO9Z,MAAMpC,UAAU6B,OAAOH,KAAK,GAAIsa,GAAiBK,GAAOL,GAAiBM,GACjF,CAEA,SAASC,GAAOC,GACf,IACC,OAAOL,mBAAmBK,EAC3B,CAAE,MACD,IAAIC,EAASD,EAAME,MAAMb,KAAkB,GAE3C,IAAK,IAAI7Z,EAAI,EAAGA,EAAIya,EAAOva,OAAQF,IAGlCya,GAFAD,EAAQR,GAAiBS,EAAQza,GAAGoa,KAAK,KAE1BM,MAAMb,KAAkB,GAGxC,OAAOW,CACR,CACD,CCvCe,SAASG,GAAaC,EAAQC,GAC5C,GAAwB,iBAAXD,GAA4C,iBAAdC,EAC1C,MAAM,IAAIjc,UAAU,iDAGrB,GAAe,KAAXgc,GAA+B,KAAdC,EACpB,MAAO,GAGR,MAAMC,EAAiBF,EAAOlG,QAAQmG,GAEtC,OAAwB,IAApBC,EACI,GAGD,CACNF,EAAOjb,MAAM,EAAGmb,GAChBF,EAAOjb,MAAMmb,EAAiBD,EAAU3a,QAE1C,CCnBO,SAAS6a,GAAYC,EAAQC,GACnC,MAAM5Q,EAAS,CAAC,EAEhB,GAAIjK,MAAM6L,QAAQgP,GACjB,IAAK,MAAM5P,KAAO4P,EAAW,CAC5B,MAAM7V,EAAarH,OAAOmd,yBAAyBF,EAAQ3P,GACvDjG,GAAYsT,YACf3a,OAAOua,eAAejO,EAAQgB,EAAKjG,EAErC,MAGA,IAAK,MAAMiG,KAAO8G,QAAQgJ,QAAQH,GAAS,CAC1C,MAAM5V,EAAarH,OAAOmd,yBAAyBF,EAAQ3P,GACvDjG,EAAWsT,YAEVuC,EAAU5P,EADA2P,EAAO3P,GACK2P,IACzBjd,OAAOua,eAAejO,EAAQgB,EAAKjG,EAGtC,CAGD,OAAOiF,CACR,CCpBA,MAAM+Q,GAAoBvX,GAASA,QAG7BwX,GAAkBT,GAAUU,mBAAmBV,GAAQrQ,QAAQ,YAAYgR,GAAK,IAAIA,EAAEC,WAAW,GAAGtV,SAAS,IAAIuV,kBAEjHC,GAA2B3V,OAAO,4BA8OxC,SAAS4V,GAA6B9X,GACrC,GAAqB,iBAAVA,GAAuC,IAAjBA,EAAM3D,OACtC,MAAM,IAAItB,UAAU,uDAEtB,CAEA,SAASgd,GAAO/X,EAAOyO,GACtB,OAAIA,EAAQsJ,OACJtJ,EAAQuJ,OAASR,GAAgBxX,GAASyX,mBAAmBzX,GAG9DA,CACR,CAEA,SAAS,GAAOA,EAAOyO,GACtB,OAAIA,EAAQiI,OHzLE,SAA4BuB,GAC1C,GAA0B,iBAAfA,EACV,MAAM,IAAIld,UAAU,6DAA+Dkd,EAAa,KAGjG,IAEC,OAAO3B,mBAAmB2B,EAC3B,CAAE,MAED,OA9CF,SAAkCtB,GAEjC,MAAMuB,EAAa,CAClB,SAAU,KACV,SAAU,MAGX,IAAIrB,EAAQX,GAAaiC,KAAKxB,GAC9B,KAAOE,GAAO,CACb,IAECqB,EAAWrB,EAAM,IAAMP,mBAAmBO,EAAM,GACjD,CAAE,MACD,MAAMrQ,EAASkQ,GAAOG,EAAM,IAExBrQ,IAAWqQ,EAAM,KACpBqB,EAAWrB,EAAM,IAAMrQ,EAEzB,CAEAqQ,EAAQX,GAAaiC,KAAKxB,EAC3B,CAGAuB,EAAW,OAAS,IAEpB,MAAME,EAAUle,OAAO6G,KAAKmX,GAE5B,IAAK,MAAM1Q,KAAO4Q,EAEjBzB,EAAQA,EAAMjQ,QAAQ,IAAIuP,OAAOzO,EAAK,KAAM0Q,EAAW1Q,IAGxD,OAAOmP,CACR,CAYS0B,CAAyBJ,EACjC,CACD,CG8KS,CAAgBjY,GAGjBA,CACR,CAEA,SAASsY,GAAW3B,GACnB,OAAIpa,MAAM6L,QAAQuO,GACVA,EAAM4B,OAGO,iBAAV5B,EACH2B,GAAWpe,OAAO6G,KAAK4V,IAC5B4B,MAAK,CAAC1T,EAAG2T,IAAMC,OAAO5T,GAAK4T,OAAOD,KAClC5L,KAAIpF,GAAOmP,EAAMnP,KAGbmP,CACR,CAEA,SAAS+B,GAAW/B,GACnB,MAAMgC,EAAYhC,EAAM9F,QAAQ,KAKhC,OAJmB,IAAf8H,IACHhC,EAAQA,EAAM7a,MAAM,EAAG6c,IAGjBhC,CACR,CAYA,SAASiC,GAAW5Y,EAAOyO,GAO1B,OANIA,EAAQoK,eAAiBJ,OAAOK,MAAML,OAAOzY,KAA6B,iBAAVA,GAAuC,KAAjBA,EAAM+Y,OAC/F/Y,EAAQyY,OAAOzY,IACLyO,EAAQuK,eAA2B,OAAVhZ,GAA2C,SAAxBA,EAAMoH,eAAoD,UAAxBpH,EAAMoH,gBAC9FpH,EAAgC,SAAxBA,EAAMoH,eAGRpH,CACR,CAEO,SAASiZ,GAAQtC,GAEvB,MAAMuC,GADNvC,EAAQ+B,GAAW/B,IACM9F,QAAQ,KACjC,OAAoB,IAAhBqI,EACI,GAGDvC,EAAM7a,MAAMod,EAAa,EACjC,CAEO,SAASvZ,GAAMwZ,EAAO1K,GAW5BqJ,IAVArJ,EAAU,CACTiI,QAAQ,EACR6B,MAAM,EACNa,YAAa,OACbC,qBAAsB,IACtBR,cAAc,EACdG,eAAe,KACZvK,IAGiC4K,sBAErC,MAAMC,EApMP,SAA8B7K,GAC7B,IAAIjI,EAEJ,OAAQiI,EAAQ2K,aACf,IAAK,QACJ,MAAO,CAAC5R,EAAKxH,EAAOuZ,KACnB/S,EAAS,YAAY2R,KAAK3Q,GAE1BA,EAAMA,EAAId,QAAQ,UAAW,IAExBF,QAKoBrJ,IAArBoc,EAAY/R,KACf+R,EAAY/R,GAAO,CAAC,GAGrB+R,EAAY/R,GAAKhB,EAAO,IAAMxG,GAR7BuZ,EAAY/R,GAAOxH,CAQe,EAIrC,IAAK,UACJ,MAAO,CAACwH,EAAKxH,EAAOuZ,KACnB/S,EAAS,SAAS2R,KAAK3Q,GACvBA,EAAMA,EAAId,QAAQ,OAAQ,IAErBF,OAKoBrJ,IAArBoc,EAAY/R,GAKhB+R,EAAY/R,GAAO,IAAI+R,EAAY/R,GAAMxH,GAJxCuZ,EAAY/R,GAAO,CAACxH,GALpBuZ,EAAY/R,GAAOxH,CAS2B,EAIjD,IAAK,uBACJ,MAAO,CAACwH,EAAKxH,EAAOuZ,KACnB/S,EAAS,WAAW2R,KAAK3Q,GACzBA,EAAMA,EAAId,QAAQ,SAAU,IAEvBF,OAKoBrJ,IAArBoc,EAAY/R,GAKhB+R,EAAY/R,GAAO,IAAI+R,EAAY/R,GAAMxH,GAJxCuZ,EAAY/R,GAAO,CAACxH,GALpBuZ,EAAY/R,GAAOxH,CAS2B,EAIjD,IAAK,QACL,IAAK,YACJ,MAAO,CAACwH,EAAKxH,EAAOuZ,KACnB,MAAMnR,EAA2B,iBAAVpI,GAAsBA,EAAMgB,SAASyN,EAAQ4K,sBAC9DG,EAAmC,iBAAVxZ,IAAuBoI,GAAW,GAAOpI,EAAOyO,GAASzN,SAASyN,EAAQ4K,sBACzGrZ,EAAQwZ,EAAiB,GAAOxZ,EAAOyO,GAAWzO,EAClD,MAAMwI,EAAWJ,GAAWoR,EAAiBxZ,EAAMqW,MAAM5H,EAAQ4K,sBAAsBzM,KAAI3N,GAAQ,GAAOA,EAAMwP,KAAuB,OAAVzO,EAAiBA,EAAQ,GAAOA,EAAOyO,GACpK8K,EAAY/R,GAAOgB,CAAQ,EAI7B,IAAK,oBACJ,MAAO,CAAChB,EAAKxH,EAAOuZ,KACnB,MAAMnR,EAAU,SAAS1D,KAAK8C,GAG9B,GAFAA,EAAMA,EAAId,QAAQ,OAAQ,KAErB0B,EAEJ,YADAmR,EAAY/R,GAAOxH,EAAQ,GAAOA,EAAOyO,GAAWzO,GAIrD,MAAMyZ,EAAuB,OAAVzZ,EAChB,GACAA,EAAMqW,MAAM5H,EAAQ4K,sBAAsBzM,KAAI3N,GAAQ,GAAOA,EAAMwP,UAE7CtR,IAArBoc,EAAY/R,GAKhB+R,EAAY/R,GAAO,IAAI+R,EAAY/R,MAASiS,GAJ3CF,EAAY/R,GAAOiS,CAImC,EAIzD,QACC,MAAO,CAACjS,EAAKxH,EAAOuZ,UACMpc,IAArBoc,EAAY/R,GAKhB+R,EAAY/R,GAAO,IAAI,CAAC+R,EAAY/R,IAAMkS,OAAQ1Z,GAJjDuZ,EAAY/R,GAAOxH,CAIoC,EAI5D,CA0FmB2Z,CAAqBlL,GAGjCmL,EAAc1f,OAAOqB,OAAO,MAElC,GAAqB,iBAAV4d,EACV,OAAOS,EAKR,KAFAT,EAAQA,EAAMJ,OAAOrS,QAAQ,SAAU,KAGtC,OAAOkT,EAGR,IAAK,MAAMC,KAAaV,EAAM9C,MAAM,KAAM,CACzC,GAAkB,KAAdwD,EACH,SAGD,MAAMC,EAAarL,EAAQiI,OAASmD,EAAUnT,QAAQ,MAAO,KAAOmT,EAEpE,IAAKrS,EAAKxH,GAAS8W,GAAagD,EAAY,UAEhC3c,IAARqK,IACHA,EAAMsS,GAKP9Z,OAAkB7C,IAAV6C,EAAsB,KAAQ,CAAC,QAAS,YAAa,qBAAqBgB,SAASyN,EAAQ2K,aAAepZ,EAAQ,GAAOA,EAAOyO,GACxI6K,EAAU,GAAO9R,EAAKiH,GAAUzO,EAAO4Z,EACxC,CAEA,IAAK,MAAOpS,EAAKxH,KAAU9F,OAAOke,QAAQwB,GACzC,GAAqB,iBAAV5Z,GAAgC,OAAVA,EAChC,IAAK,MAAO+Z,EAAMC,KAAW9f,OAAOke,QAAQpY,GAC3CA,EAAM+Z,GAAQnB,GAAWoB,EAAQvL,QAGlCmL,EAAYpS,GAAOoR,GAAW5Y,EAAOyO,GAIvC,OAAqB,IAAjBA,EAAQ8J,KACJqB,IAKiB,IAAjBnL,EAAQ8J,KAAgBre,OAAO6G,KAAK6Y,GAAarB,OAASre,OAAO6G,KAAK6Y,GAAarB,KAAK9J,EAAQ8J,OAAOlQ,QAAO,CAAC7B,EAAQgB,KAC9H,MAAMxH,EAAQ4Z,EAAYpS,GAQ1B,OAPIyS,QAAQja,IAA2B,iBAAVA,IAAuBzD,MAAM6L,QAAQpI,GAEjEwG,EAAOgB,GAAO8Q,GAAWtY,GAEzBwG,EAAOgB,GAAOxH,EAGRwG,CAAM,GACXtM,OAAOqB,OAAO,MAClB,CAEO,SAAS2E,GAAUiX,EAAQ1I,GACjC,IAAK0I,EACJ,MAAO,GAQRW,IALArJ,EAAU,CAACsJ,QAAQ,EAClBC,QAAQ,EACRoB,YAAa,OACbC,qBAAsB,OAAQ5K,IAEM4K,sBAErC,MAAMa,EAAe1S,GACnBiH,EAAQ0L,UAAY5C,GAAkBJ,EAAO3P,KAC1CiH,EAAQ2L,iBAAmC,KAAhBjD,EAAO3P,GAGjC8R,EApZP,SAA+B7K,GAC9B,OAAQA,EAAQ2K,aACf,IAAK,QACJ,OAAO5R,GAAO,CAAChB,EAAQxG,KACtB,MAAMqa,EAAQ7T,EAAOnK,OAErB,YACWc,IAAV6C,GACIyO,EAAQ0L,UAAsB,OAAVna,GACpByO,EAAQ2L,iBAA6B,KAAVpa,EAExBwG,EAGM,OAAVxG,EACI,IACHwG,EAAQ,CAACuR,GAAOvQ,EAAKiH,GAAU,IAAK4L,EAAO,KAAK9D,KAAK,KAInD,IACH/P,EACH,CAACuR,GAAOvQ,EAAKiH,GAAU,IAAKsJ,GAAOsC,EAAO5L,GAAU,KAAMsJ,GAAO/X,EAAOyO,IAAU8H,KAAK,IACvF,EAIH,IAAK,UACJ,OAAO/O,GAAO,CAAChB,EAAQxG,SAEX7C,IAAV6C,GACIyO,EAAQ0L,UAAsB,OAAVna,GACpByO,EAAQ2L,iBAA6B,KAAVpa,EAExBwG,EAGM,OAAVxG,EACI,IACHwG,EACH,CAACuR,GAAOvQ,EAAKiH,GAAU,MAAM8H,KAAK,KAI7B,IACH/P,EACH,CAACuR,GAAOvQ,EAAKiH,GAAU,MAAOsJ,GAAO/X,EAAOyO,IAAU8H,KAAK,KAK9D,IAAK,uBACJ,OAAO/O,GAAO,CAAChB,EAAQxG,SAEX7C,IAAV6C,GACIyO,EAAQ0L,UAAsB,OAAVna,GACpByO,EAAQ2L,iBAA6B,KAAVpa,EAExBwG,EAGM,OAAVxG,EACI,IACHwG,EACH,CAACuR,GAAOvQ,EAAKiH,GAAU,UAAU8H,KAAK,KAIjC,IACH/P,EACH,CAACuR,GAAOvQ,EAAKiH,GAAU,SAAUsJ,GAAO/X,EAAOyO,IAAU8H,KAAK,KAKjE,IAAK,QACL,IAAK,YACL,IAAK,oBAAqB,CACzB,MAAM+D,EAAsC,sBAAxB7L,EAAQ2K,YACzB,MACA,IAEH,OAAO5R,GAAO,CAAChB,EAAQxG,SAEX7C,IAAV6C,GACIyO,EAAQ0L,UAAsB,OAAVna,GACpByO,EAAQ2L,iBAA6B,KAAVpa,EAExBwG,GAIRxG,EAAkB,OAAVA,EAAiB,GAAKA,EAER,IAAlBwG,EAAOnK,OACH,CAAC,CAAC0b,GAAOvQ,EAAKiH,GAAU6L,EAAavC,GAAO/X,EAAOyO,IAAU8H,KAAK,KAGnE,CAAC,CAAC/P,EAAQuR,GAAO/X,EAAOyO,IAAU8H,KAAK9H,EAAQ4K,uBAExD,CAEA,QACC,OAAO7R,GAAO,CAAChB,EAAQxG,SAEX7C,IAAV6C,GACIyO,EAAQ0L,UAAsB,OAAVna,GACpByO,EAAQ2L,iBAA6B,KAAVpa,EAExBwG,EAGM,OAAVxG,EACI,IACHwG,EACHuR,GAAOvQ,EAAKiH,IAIP,IACHjI,EACH,CAACuR,GAAOvQ,EAAKiH,GAAU,IAAKsJ,GAAO/X,EAAOyO,IAAU8H,KAAK,KAK9D,CAsRmBgE,CAAsB9L,GAElC+L,EAAa,CAAC,EAEpB,IAAK,MAAOhT,EAAKxH,KAAU9F,OAAOke,QAAQjB,GACpC+C,EAAa1S,KACjBgT,EAAWhT,GAAOxH,GAIpB,MAAMe,EAAO7G,OAAO6G,KAAKyZ,GAMzB,OAJqB,IAAjB/L,EAAQ8J,MACXxX,EAAKwX,KAAK9J,EAAQ8J,MAGZxX,EAAK6L,KAAIpF,IACf,MAAMxH,EAAQmX,EAAO3P,GAErB,YAAcrK,IAAV6C,EACI,GAGM,OAAVA,EACI+X,GAAOvQ,EAAKiH,GAGhBlS,MAAM6L,QAAQpI,GACI,IAAjBA,EAAM3D,QAAwC,sBAAxBoS,EAAQ2K,YAC1BrB,GAAOvQ,EAAKiH,GAAW,KAGxBzO,EACLqI,OAAOiR,EAAU9R,GAAM,IACvB+O,KAAK,KAGDwB,GAAOvQ,EAAKiH,GAAW,IAAMsJ,GAAO/X,EAAOyO,EAAQ,IACxD9B,QAAO+K,GAAKA,EAAErb,OAAS,IAAGka,KAAK,IACnC,CAEO,SAASkE,GAASxX,EAAKwL,GAC7BA,EAAU,CACTiI,QAAQ,KACLjI,GAGJ,IAAKiM,EAAMC,GAAQ7D,GAAa7T,EAAK,KAMrC,YAJa9F,IAATud,IACHA,EAAOzX,GAGD,CACNA,IAAKyX,GAAMrE,MAAM,OAAO,IAAM,GAC9B8C,MAAOxZ,GAAMsZ,GAAQhW,GAAMwL,MACvBA,GAAWA,EAAQmM,yBAA2BD,EAAO,CAACE,mBAAoB,GAAOF,EAAMlM,IAAY,CAAC,EAE1G,CAEO,SAASqM,GAAa3D,EAAQ1I,GACpCA,EAAU,CACTsJ,QAAQ,EACRC,QAAQ,EACR,CAACH,KAA2B,KACzBpJ,GAGJ,MAAMxL,EAAMyV,GAAWvB,EAAOlU,KAAKoT,MAAM,KAAK,IAAM,GAQpD,IAAI0E,EAAc7a,GALJ,IACVP,GAHiBsZ,GAAQ9B,EAAOlU,KAGZ,CAACsV,MAAM,OAC3BpB,EAAOgC,OAGwB1K,GAC/BsM,IACHA,EAAc,IAAIA,KAGnB,IAAIJ,EA5ML,SAAiB1X,GAChB,IAAI0X,EAAO,GACX,MAAMhC,EAAY1V,EAAI4N,QAAQ,KAK9B,OAJmB,IAAf8H,IACHgC,EAAO1X,EAAInH,MAAM6c,IAGXgC,CACR,CAoMYK,CAAQ7D,EAAOlU,KAC1B,GAAIkU,EAAO0D,mBAAoB,CAC9B,MAAMI,EAA6B,IAAI9V,IAAIlC,GAC3CgY,EAA2BN,KAAOxD,EAAO0D,mBACzCF,EAAOlM,EAAQoJ,IAA4BoD,EAA2BN,KAAO,IAAIxD,EAAO0D,oBACzF,CAEA,MAAO,GAAG5X,IAAM8X,IAAcJ,GAC/B,CAEO,SAASO,GAAKvE,EAAOhK,EAAQ8B,GACnCA,EAAU,CACTmM,yBAAyB,EACzB,CAAC/C,KAA2B,KACzBpJ,GAGJ,MAAM,IAACxL,EAAG,MAAEkW,EAAK,mBAAE0B,GAAsBJ,GAAS9D,EAAOlI,GAEzD,OAAOqM,GAAa,CACnB7X,MACAkW,MAAOjC,GAAYiC,EAAOxM,GAC1BkO,sBACEpM,EACJ,CAEO,SAAS0M,GAAQxE,EAAOhK,EAAQ8B,GAGtC,OAAOyM,GAAKvE,EAFYpa,MAAM6L,QAAQuE,GAAUnF,IAAQmF,EAAO3L,SAASwG,GAAO,CAACA,EAAKxH,KAAW2M,EAAOnF,EAAKxH,GAExEyO,EACrC,CC5gBA,2BCiBA,SAAS2M,GAAQvW,EAAG2T,GAClB,IAAK,IAAIhR,KAAOgR,EACd3T,EAAE2C,GAAOgR,EAAEhR,GAEb,OAAO3C,CACT,CAIA,IAAIwW,GAAkB,WAClBC,GAAwB,SAAUC,GAAK,MAAO,IAAMA,EAAE5D,WAAW,GAAGtV,SAAS,GAAK,EAClFmZ,GAAU,OAKV,GAAS,SAAUC,GAAO,OAAOhE,mBAAmBgE,GACnD/U,QAAQ2U,GAAiBC,IACzB5U,QAAQ8U,GAAS,IAAM,EAE5B,SAAS,GAAQC,GACf,IACE,OAAOnF,mBAAmBmF,EAC5B,CAAE,MAAOC,GAIT,CACA,OAAOD,CACT,CA0BA,IAAIE,GAAsB,SAAU3b,GAAS,OAAiB,MAATA,GAAkC,iBAAVA,EAAqBA,EAAQ2F,OAAO3F,EAAS,EAE1H,SAAS4b,GAAYzC,GACnB,IAAI0C,EAAM,CAAC,EAIX,OAFA1C,EAAQA,EAAMJ,OAAOrS,QAAQ,YAAa,MAM1CyS,EAAM9C,MAAM,KAAKvK,SAAQ,SAAUgQ,GACjC,IAAIC,EAAQD,EAAMpV,QAAQ,MAAO,KAAK2P,MAAM,KACxC7O,EAAM,GAAOuU,EAAMC,SACnBC,EAAMF,EAAM1f,OAAS,EAAI,GAAO0f,EAAMxF,KAAK,MAAQ,UAEtCpZ,IAAb0e,EAAIrU,GACNqU,EAAIrU,GAAOyU,EACF1f,MAAM6L,QAAQyT,EAAIrU,IAC3BqU,EAAIrU,GAAKrM,KAAK8gB,GAEdJ,EAAIrU,GAAO,CAACqU,EAAIrU,GAAMyU,EAE1B,IAEOJ,GAjBEA,CAkBX,CAEA,SAASK,GAAgB3H,GACvB,IAAIsH,EAAMtH,EACNra,OAAO6G,KAAKwT,GACX3H,KAAI,SAAUpF,GACb,IAAIyU,EAAM1H,EAAI/M,GAEd,QAAYrK,IAAR8e,EACF,MAAO,GAGT,GAAY,OAARA,EACF,OAAO,GAAOzU,GAGhB,GAAIjL,MAAM6L,QAAQ6T,GAAM,CACtB,IAAIzV,EAAS,GAWb,OAVAyV,EAAInQ,SAAQ,SAAUqQ,QACPhf,IAATgf,IAGS,OAATA,EACF3V,EAAOrL,KAAK,GAAOqM,IAEnBhB,EAAOrL,KAAK,GAAOqM,GAAO,IAAM,GAAO2U,IAE3C,IACO3V,EAAO+P,KAAK,IACrB,CAEA,OAAO,GAAO/O,GAAO,IAAM,GAAOyU,EACpC,IACCtP,QAAO,SAAU+K,GAAK,OAAOA,EAAErb,OAAS,CAAG,IAC3Cka,KAAK,KACN,KACJ,OAAOsF,EAAO,IAAMA,EAAO,EAC7B,CAIA,IAAIO,GAAkB,OAEtB,SAASC,GACPC,EACApX,EACAqX,EACAC,GAEA,IAAIN,EAAiBM,GAAUA,EAAO/N,QAAQyN,eAE1C/C,EAAQjU,EAASiU,OAAS,CAAC,EAC/B,IACEA,EAAQsD,GAAMtD,EAChB,CAAE,MAAOvZ,GAAI,CAEb,IAAI8c,EAAQ,CACV/gB,KAAMuJ,EAASvJ,MAAS2gB,GAAUA,EAAO3gB,KACzCghB,KAAOL,GAAUA,EAAOK,MAAS,CAAC,EAClCnP,KAAMtI,EAASsI,MAAQ,IACvBmN,KAAMzV,EAASyV,MAAQ,GACvBxB,MAAOA,EACPyD,OAAQ1X,EAAS0X,QAAU,CAAC,EAC5BC,SAAUC,GAAY5X,EAAUgX,GAChCa,QAAST,EAASU,GAAYV,GAAU,IAK1C,OAHIC,IACFG,EAAMH,eAAiBO,GAAYP,EAAgBL,IAE9ChiB,OAAO+iB,OAAOP,EACvB,CAEA,SAASD,GAAOzc,GACd,GAAIzD,MAAM6L,QAAQpI,GAChB,OAAOA,EAAM4M,IAAI6P,IACZ,GAAIzc,GAA0B,iBAAVA,EAAoB,CAC7C,IAAI6b,EAAM,CAAC,EACX,IAAK,IAAIrU,KAAOxH,EACd6b,EAAIrU,GAAOiV,GAAMzc,EAAMwH,IAEzB,OAAOqU,CACT,CACE,OAAO7b,CAEX,CAGA,IAAIkd,GAAQb,GAAY,KAAM,CAC5B7O,KAAM,MAGR,SAASwP,GAAaV,GAEpB,IADA,IAAIT,EAAM,GACHS,GACLT,EAAIpO,QAAQ6O,GACZA,EAASA,EAAOa,OAElB,OAAOtB,CACT,CAEA,SAASiB,GACPlK,EACAwK,GAEA,IAAI5P,EAAOoF,EAAIpF,KACX2L,EAAQvG,EAAIuG,WAAsB,IAAVA,IAAmBA,EAAQ,CAAC,GACxD,IAAIwB,EAAO/H,EAAI+H,KAGf,YAHmC,IAATA,IAAkBA,EAAO,KAG3CnN,GAAQ,MADA4P,GAAmBlB,IACF/C,GAASwB,CAC5C,CAEA,SAAS0C,GAAaxY,EAAG2T,EAAG8E,GAC1B,OAAI9E,IAAM0E,GACDrY,IAAM2T,IACHA,IAED3T,EAAE2I,MAAQgL,EAAEhL,KACd3I,EAAE2I,KAAK9G,QAAQ0V,GAAiB,MAAQ5D,EAAEhL,KAAK9G,QAAQ0V,GAAiB,MAAQkB,GACrFzY,EAAE8V,OAASnC,EAAEmC,MACb4C,GAAc1Y,EAAEsU,MAAOX,EAAEW,WAClBtU,EAAElJ,OAAQ6c,EAAE7c,OAEnBkJ,EAAElJ,OAAS6c,EAAE7c,OACZ2hB,GACCzY,EAAE8V,OAASnC,EAAEmC,MACf4C,GAAc1Y,EAAEsU,MAAOX,EAAEW,QACzBoE,GAAc1Y,EAAE+X,OAAQpE,EAAEoE,SAMhC,CAEA,SAASW,GAAe1Y,EAAG2T,GAKzB,QAJW,IAAN3T,IAAeA,EAAI,CAAC,QACd,IAAN2T,IAAeA,EAAI,CAAC,IAGpB3T,IAAM2T,EAAK,OAAO3T,IAAM2T,EAC7B,IAAIgF,EAAQtjB,OAAO6G,KAAK8D,GAAG0T,OACvBkF,EAAQvjB,OAAO6G,KAAKyX,GAAGD,OAC3B,OAAIiF,EAAMnhB,SAAWohB,EAAMphB,QAGpBmhB,EAAME,OAAM,SAAUlW,EAAKrL,GAChC,IAAIwhB,EAAO9Y,EAAE2C,GAEb,GADWiW,EAAMthB,KACJqL,EAAO,OAAO,EAC3B,IAAIoW,EAAOpF,EAAEhR,GAEb,OAAY,MAARmW,GAAwB,MAARC,EAAuBD,IAASC,EAEhC,iBAATD,GAAqC,iBAATC,EAC9BL,GAAcI,EAAMC,GAEtBjY,OAAOgY,KAAUhY,OAAOiY,EACjC,GACF,CAqBA,SAASC,GAAoBnB,GAC3B,IAAK,IAAIvgB,EAAI,EAAGA,EAAIugB,EAAMK,QAAQ1gB,OAAQF,IAAK,CAC7C,IAAImgB,EAASI,EAAMK,QAAQ5gB,GAC3B,IAAK,IAAIR,KAAQ2gB,EAAOwB,UAAW,CACjC,IAAIC,EAAWzB,EAAOwB,UAAUniB,GAC5BqiB,EAAM1B,EAAO2B,WAAWtiB,GAC5B,GAAKoiB,GAAaC,EAAlB,QACO1B,EAAO2B,WAAWtiB,GACzB,IAAK,IAAIuiB,EAAM,EAAGA,EAAMF,EAAI3hB,OAAQ6hB,IAC7BH,EAASI,mBAAqBH,EAAIE,GAAKH,EAHZ,CAKpC,CACF,CACF,CAEA,IAAIK,GAAO,CACTziB,KAAM,aACN0iB,YAAY,EACZC,MAAO,CACL3iB,KAAM,CACJ8J,KAAME,OACN4Y,QAAS,YAGbC,OAAQ,SAAiBC,EAAG7L,GAC1B,IAAI0L,EAAQ1L,EAAI0L,MACZI,EAAW9L,EAAI8L,SACfvB,EAASvK,EAAIuK,OACb1d,EAAOmT,EAAInT,KAGfA,EAAKkf,YAAa,EAalB,IATA,IAAIC,EAAIzB,EAAO0B,eACXljB,EAAO2iB,EAAM3iB,KACb+gB,EAAQS,EAAO2B,OACfC,EAAQ5B,EAAO6B,mBAAqB7B,EAAO6B,iBAAmB,CAAC,GAI/DC,EAAQ,EACRC,GAAW,EACR/B,GAAUA,EAAOgC,cAAgBhC,GAAQ,CAC9C,IAAIiC,EAAYjC,EAAOkC,OAASlC,EAAOkC,OAAO5f,KAAO,CAAC,EAClD2f,EAAUT,YACZM,IAEEG,EAAUE,WAAanC,EAAOoC,iBAAmBpC,EAAOqC,YAC1DN,GAAW,GAEb/B,EAASA,EAAOsC,OAClB,CAIA,GAHAhgB,EAAKigB,gBAAkBT,EAGnBC,EAAU,CACZ,IAAIS,EAAaZ,EAAMpjB,GACnBikB,EAAkBD,GAAcA,EAAWE,UAC/C,OAAID,GAGED,EAAWG,aACbC,GAAgBH,EAAiBngB,EAAMkgB,EAAWjD,MAAOiD,EAAWG,aAE/DlB,EAAEgB,EAAiBngB,EAAMif,IAGzBE,GAEX,CAEA,IAAI7B,EAAUL,EAAMK,QAAQkC,GACxBY,EAAY9C,GAAWA,EAAQ3G,WAAWza,GAG9C,IAAKohB,IAAY8C,EAEf,OADAd,EAAMpjB,GAAQ,KACPijB,IAITG,EAAMpjB,GAAQ,CAAEkkB,UAAWA,GAI3BpgB,EAAKugB,sBAAwB,SAAUC,EAAIhE,GAEzC,IAAIiE,EAAUnD,EAAQe,UAAUniB,IAE7BsgB,GAAOiE,IAAYD,IAClBhE,GAAOiE,IAAYD,KAErBlD,EAAQe,UAAUniB,GAAQsgB,EAE9B,GAIExc,EAAKf,OAASe,EAAKf,KAAO,CAAC,IAAIyhB,SAAW,SAAU1B,EAAG2B,GACvDrD,EAAQe,UAAUniB,GAAQykB,EAAM1U,iBAClC,EAIAjM,EAAKf,KAAK2hB,KAAO,SAAUD,GACrBA,EAAM3gB,KAAK6f,WACbc,EAAM1U,mBACN0U,EAAM1U,oBAAsBqR,EAAQe,UAAUniB,KAE9CohB,EAAQe,UAAUniB,GAAQykB,EAAM1U,mBAMlCmS,GAAmBnB,EACrB,EAEA,IAAIoD,EAAc/C,EAAQuB,OAASvB,EAAQuB,MAAM3iB,GAUjD,OARImkB,IACF1E,GAAO2D,EAAMpjB,GAAO,CAClB+gB,MAAOA,EACPoD,YAAaA,IAEfC,GAAgBF,EAAWpgB,EAAMid,EAAOoD,IAGnClB,EAAEiB,EAAWpgB,EAAMif,EAC5B,GAGF,SAASqB,GAAiBF,EAAWpgB,EAAMid,EAAOoD,GAEhD,IAAIQ,EAAc7gB,EAAK6e,MAezB,SAAuB5B,EAAO6D,GAC5B,cAAeA,GACb,IAAK,YACH,OACF,IAAK,SACH,OAAOA,EACT,IAAK,WACH,OAAOA,EAAO7D,GAChB,IAAK,UACH,OAAO6D,EAAS7D,EAAME,YAASzf,EAUrC,CAlCiCqjB,CAAa9D,EAAOoD,GACnD,GAAIQ,EAAa,CAEfA,EAAc7gB,EAAK6e,MAAQlD,GAAO,CAAC,EAAGkF,GAEtC,IAAIG,EAAQhhB,EAAKghB,MAAQhhB,EAAKghB,OAAS,CAAC,EACxC,IAAK,IAAIjZ,KAAO8Y,EACTT,EAAUvB,OAAW9W,KAAOqY,EAAUvB,QACzCmC,EAAMjZ,GAAO8Y,EAAY9Y,UAClB8Y,EAAY9Y,GAGzB,CACF,CAyBA,SAASkZ,GACPC,EACAC,EACAC,GAEA,IAAIC,EAAYH,EAASI,OAAO,GAChC,GAAkB,MAAdD,EACF,OAAOH,EAGT,GAAkB,MAAdG,GAAmC,MAAdA,EACvB,OAAOF,EAAOD,EAGhB,IAAIK,EAAQJ,EAAKvK,MAAM,KAKlBwK,GAAWG,EAAMA,EAAM3kB,OAAS,IACnC2kB,EAAMC,MAKR,IADA,IAAIC,EAAWP,EAASja,QAAQ,MAAO,IAAI2P,MAAM,KACxCla,EAAI,EAAGA,EAAI+kB,EAAS7kB,OAAQF,IAAK,CACxC,IAAIglB,EAAUD,EAAS/kB,GACP,OAAZglB,EACFH,EAAMC,MACe,MAAZE,GACTH,EAAM7lB,KAAKgmB,EAEf,CAOA,MAJiB,KAAbH,EAAM,IACRA,EAAMvT,QAAQ,IAGTuT,EAAMzK,KAAK,IACpB,CAyBA,SAAS6K,GAAW5T,GAClB,OAAOA,EAAK9G,QAAQ,gBAAiB,IACvC,CAEA,IAAI2a,GAAU9kB,MAAM6L,SAAW,SAAUkZ,GACvC,MAA8C,kBAAvCpnB,OAAOC,UAAUkI,SAASxG,KAAKylB,EACxC,EAKIC,GAmZJ,SAASC,EAAchU,EAAMzM,EAAM0N,GAQjC,OAPK4S,GAAQtgB,KACX0N,EAAkC1N,GAAQ0N,EAC1C1N,EAAO,IAGT0N,EAAUA,GAAW,CAAC,EAElBjB,aAAgByI,OAlJtB,SAAyBzI,EAAMzM,GAE7B,IAAI0gB,EAASjU,EAAKkU,OAAO7K,MAAM,aAE/B,GAAI4K,EACF,IAAK,IAAItlB,EAAI,EAAGA,EAAIslB,EAAOplB,OAAQF,IACjC4E,EAAK5F,KAAK,CACRQ,KAAMQ,EACN9B,OAAQ,KACRsnB,UAAW,KACXC,UAAU,EACVC,QAAQ,EACRC,SAAS,EACTC,UAAU,EACVC,QAAS,OAKf,OAAOC,GAAWzU,EAAMzM,EAC1B,CA+HWmhB,CAAe1U,EAA4B,GAGhD6T,GAAQ7T,GAxHd,SAAwBA,EAAMzM,EAAM0N,GAGlC,IAFA,IAAIsN,EAAQ,GAEH5f,EAAI,EAAGA,EAAIqR,EAAKnR,OAAQF,IAC/B4f,EAAM5gB,KAAKqmB,EAAahU,EAAKrR,GAAI4E,EAAM0N,GAASiT,QAKlD,OAAOO,GAFM,IAAIhM,OAAO,MAAQ8F,EAAMxF,KAAK,KAAO,IAAK4L,GAAM1T,IAEnC1N,EAC5B,CA+GWqhB,CAAoC,EAA8B,EAAQ3T,GArGrF,SAAyBjB,EAAMzM,EAAM0N,GACnC,OAAO4T,GAAe,GAAM7U,EAAMiB,GAAU1N,EAAM0N,EACpD,CAsGS6T,CAAqC,EAA8B,EAAQ7T,EACpF,EAnaI8T,GAAU,GAEVC,GAAqBC,GACrBC,GAAmBL,GAOnBM,GAAc,IAAI1M,OAAO,CAG3B,UAOA,0GACAM,KAAK,KAAM,KASb,SAAS,GAAOkF,EAAKhN,GAQnB,IAPA,IAKIoN,EALAjF,EAAS,GACTpP,EAAM,EACN6S,EAAQ,EACR7M,EAAO,GACPoV,EAAmBnU,GAAWA,EAAQkT,WAAa,IAGf,OAAhC9F,EAAM8G,GAAYxK,KAAKsD,KAAe,CAC5C,IAAIoH,EAAIhH,EAAI,GACRiH,EAAUjH,EAAI,GACdkH,EAASlH,EAAIxB,MAKjB,GAJA7M,GAAQiO,EAAI3f,MAAMue,EAAO0I,GACzB1I,EAAQ0I,EAASF,EAAExmB,OAGfymB,EACFtV,GAAQsV,EAAQ,OADlB,CAKA,IAAIE,EAAOvH,EAAIpB,GACXhgB,EAASwhB,EAAI,GACblgB,EAAOkgB,EAAI,GACXoH,EAAUpH,EAAI,GACdqH,EAAQrH,EAAI,GACZsH,EAAWtH,EAAI,GACfkG,EAAWlG,EAAI,GAGfrO,IACFoJ,EAAOzb,KAAKqS,GACZA,EAAO,IAGT,IAAIsU,EAAoB,MAAVznB,GAA0B,MAAR2oB,GAAgBA,IAAS3oB,EACrDwnB,EAAsB,MAAbsB,GAAiC,MAAbA,EAC7BvB,EAAwB,MAAbuB,GAAiC,MAAbA,EAC/BxB,EAAY9F,EAAI,IAAM+G,EACtBZ,EAAUiB,GAAWC,EAEzBtM,EAAOzb,KAAK,CACVQ,KAAMA,GAAQ6L,IACdnN,OAAQA,GAAU,GAClBsnB,UAAWA,EACXC,SAAUA,EACVC,OAAQA,EACRC,QAASA,EACTC,WAAYA,EACZC,QAASA,EAAUoB,GAAYpB,GAAYD,EAAW,KAAO,KAAOsB,GAAa1B,GAAa,OA9BhG,CAgCF,CAYA,OATItH,EAAQoB,EAAIpf,SACdmR,GAAQiO,EAAI6H,OAAOjJ,IAIjB7M,GACFoJ,EAAOzb,KAAKqS,GAGPoJ,CACT,CAmBA,SAAS2M,GAA0B9H,GACjC,OAAO+H,UAAU/H,GAAK/U,QAAQ,WAAW,SAAU6U,GACjD,MAAO,IAAMA,EAAE5D,WAAW,GAAGtV,SAAS,IAAIuV,aAC5C,GACF,CAiBA,SAAS6K,GAAkB7L,EAAQnI,GAKjC,IAHA,IAAIgV,EAAU,IAAIlnB,MAAMqa,EAAOva,QAGtBF,EAAI,EAAGA,EAAIya,EAAOva,OAAQF,IACR,iBAAdya,EAAOza,KAChBsnB,EAAQtnB,GAAK,IAAI8Z,OAAO,OAASW,EAAOza,GAAG6lB,QAAU,KAAMG,GAAM1T,KAIrE,OAAO,SAAU8F,EAAKrR,GAMpB,IALA,IAAIsK,EAAO,GACP/N,EAAO8U,GAAO,CAAC,EAEfwD,GADU7U,GAAQ,CAAC,GACFwgB,OAASH,GAA2B9L,mBAEhDtb,EAAI,EAAGA,EAAIya,EAAOva,OAAQF,IAAK,CACtC,IAAI4Z,EAAQa,EAAOza,GAEnB,GAAqB,iBAAV4Z,EAAX,CAMA,IACIoL,EADAnhB,EAAQP,EAAKsW,EAAMpa,MAGvB,GAAa,MAATqE,EAAe,CACjB,GAAI+V,EAAM6L,SAAU,CAEd7L,EAAM+L,UACRtU,GAAQuI,EAAM1b,QAGhB,QACF,CACE,MAAM,IAAIU,UAAU,aAAegb,EAAMpa,KAAO,kBAEpD,CAEA,GAAI0lB,GAAQrhB,GAAZ,CACE,IAAK+V,EAAM8L,OACT,MAAM,IAAI9mB,UAAU,aAAegb,EAAMpa,KAAO,kCAAoC+D,KAAKQ,UAAUF,GAAS,KAG9G,GAAqB,IAAjBA,EAAM3D,OAAc,CACtB,GAAI0Z,EAAM6L,SACR,SAEA,MAAM,IAAI7mB,UAAU,aAAegb,EAAMpa,KAAO,oBAEpD,CAEA,IAAK,IAAI0B,EAAI,EAAGA,EAAI2C,EAAM3D,OAAQgB,IAAK,CAGrC,GAFA8jB,EAAUpJ,EAAO/X,EAAM3C,KAElBomB,EAAQtnB,GAAGuI,KAAKyc,GACnB,MAAM,IAAIpmB,UAAU,iBAAmBgb,EAAMpa,KAAO,eAAiBoa,EAAMiM,QAAU,oBAAsBtiB,KAAKQ,UAAUihB,GAAW,KAGvI3T,IAAe,IAANnQ,EAAU0Y,EAAM1b,OAAS0b,EAAM4L,WAAaR,CACvD,CAGF,KAxBA,CA4BA,GAFAA,EAAUpL,EAAMgM,SA5EbyB,UA4EuCxjB,GA5ExB0G,QAAQ,SAAS,SAAU6U,GAC/C,MAAO,IAAMA,EAAE5D,WAAW,GAAGtV,SAAS,IAAIuV,aAC5C,IA0EuDG,EAAO/X,IAErDyjB,EAAQtnB,GAAGuI,KAAKyc,GACnB,MAAM,IAAIpmB,UAAU,aAAegb,EAAMpa,KAAO,eAAiBoa,EAAMiM,QAAU,oBAAsBb,EAAU,KAGnH3T,GAAQuI,EAAM1b,OAAS8mB,CARvB,CA1CA,MAHE3T,GAAQuI,CAsDZ,CAEA,OAAOvI,CACT,CACF,CAQA,SAAS6V,GAAc5H,GACrB,OAAOA,EAAI/U,QAAQ,6BAA8B,OACnD,CAQA,SAAS0c,GAAaF,GACpB,OAAOA,EAAMxc,QAAQ,gBAAiB,OACxC,CASA,SAASub,GAAY0B,EAAI5iB,GAEvB,OADA4iB,EAAG5iB,KAAOA,EACH4iB,CACT,CAQA,SAASxB,GAAO1T,GACd,OAAOA,GAAWA,EAAQmV,UAAY,GAAK,GAC7C,CAuEA,SAASvB,GAAgBzL,EAAQ7V,EAAM0N,GAChC4S,GAAQtgB,KACX0N,EAAkC1N,GAAQ0N,EAC1C1N,EAAO,IAUT,IALA,IAAIiX,GAFJvJ,EAAUA,GAAW,CAAC,GAEDuJ,OACjB6L,GAAsB,IAAhBpV,EAAQoV,IACdnH,EAAQ,GAGHvgB,EAAI,EAAGA,EAAIya,EAAOva,OAAQF,IAAK,CACtC,IAAI4Z,EAAQa,EAAOza,GAEnB,GAAqB,iBAAV4Z,EACT2G,GAAS2G,GAAatN,OACjB,CACL,IAAI1b,EAASgpB,GAAatN,EAAM1b,QAC5B4oB,EAAU,MAAQlN,EAAMiM,QAAU,IAEtCjhB,EAAK5F,KAAK4a,GAENA,EAAM8L,SACRoB,GAAW,MAAQ5oB,EAAS4oB,EAAU,MAaxCvG,GANIuG,EAJAlN,EAAM6L,SACH7L,EAAM+L,QAGCznB,EAAS,IAAM4oB,EAAU,KAFzB,MAAQ5oB,EAAS,IAAM4oB,EAAU,MAKnC5oB,EAAS,IAAM4oB,EAAU,GAIvC,CACF,CAEA,IAAItB,EAAY0B,GAAa5U,EAAQkT,WAAa,KAC9CmC,EAAoBpH,EAAM5gB,OAAO6lB,EAAUtlB,UAAYslB,EAkB3D,OAZK3J,IACH0E,GAASoH,EAAoBpH,EAAM5gB,MAAM,GAAI6lB,EAAUtlB,QAAUqgB,GAAS,MAAQiF,EAAY,WAI9FjF,GADEmH,EACO,IAIA7L,GAAU8L,EAAoB,GAAK,MAAQnC,EAAY,MAG3DM,GAAW,IAAIhM,OAAO,IAAMyG,EAAOyF,GAAM1T,IAAW1N,EAC7D,CAgCAwgB,GAAe5hB,MAAQ4iB,GACvBhB,GAAewC,QA9Tf,SAAkBtI,EAAKhN,GACrB,OAAOgU,GAAiB,GAAMhH,EAAKhN,GAAUA,EAC/C,EA6TA8S,GAAekB,iBAAmBD,GAClCjB,GAAec,eAAiBK,GAKhC,IAAIsB,GAAqB9pB,OAAOqB,OAAO,MAEvC,SAAS0oB,GACPzW,EACAoP,EACAsH,GAEAtH,EAASA,GAAU,CAAC,EACpB,IACE,IAAIuH,EACFH,GAAmBxW,KAClBwW,GAAmBxW,GAAQ+T,GAAewC,QAAQvW,IAMrD,MAFgC,iBAArBoP,EAAOwH,YAA0BxH,EAAO,GAAKA,EAAOwH,WAExDD,EAAOvH,EAAQ,CAAE8G,QAAQ,GAClC,CAAE,MAAO9jB,GAKP,MAAO,EACT,CAAE,eAEOgd,EAAO,EAChB,CACF,CAIA,SAASyH,GACP/kB,EACA4gB,EACAW,EACArE,GAEA,IAAIwG,EAAsB,iBAAR1jB,EAAmB,CAAEkO,KAAMlO,GAAQA,EAErD,GAAI0jB,EAAKsB,YACP,OAAOtB,EACF,GAAIA,EAAKrnB,KAAM,CAEpB,IAAIihB,GADJoG,EAAO5H,GAAO,CAAC,EAAG9b,IACAsd,OAIlB,OAHIA,GAA4B,iBAAXA,IACnBoG,EAAKpG,OAASxB,GAAO,CAAC,EAAGwB,IAEpBoG,CACT,CAGA,IAAKA,EAAKxV,MAAQwV,EAAKpG,QAAUsD,EAAS,EACxC8C,EAAO5H,GAAO,CAAC,EAAG4H,IACbsB,aAAc,EACnB,IAAIC,EAAWnJ,GAAOA,GAAO,CAAC,EAAG8E,EAAQtD,QAASoG,EAAKpG,QACvD,GAAIsD,EAAQvkB,KACVqnB,EAAKrnB,KAAOukB,EAAQvkB,KACpBqnB,EAAKpG,OAAS2H,OACT,GAAIrE,EAAQnD,QAAQ1gB,OAAQ,CACjC,IAAImoB,EAAUtE,EAAQnD,QAAQmD,EAAQnD,QAAQ1gB,OAAS,GAAGmR,KAC1DwV,EAAKxV,KAAOyW,GAAWO,EAASD,EAAsBrE,EAAY,KACpE,CAGA,OAAO8C,CACT,CAEA,IAAIyB,EAnhBN,SAAoBjX,GAClB,IAAImN,EAAO,GACPxB,EAAQ,GAERuL,EAAYlX,EAAKqD,QAAQ,KACzB6T,GAAa,IACf/J,EAAOnN,EAAK1R,MAAM4oB,GAClBlX,EAAOA,EAAK1R,MAAM,EAAG4oB,IAGvB,IAAIC,EAAanX,EAAKqD,QAAQ,KAM9B,OALI8T,GAAc,IAChBxL,EAAQ3L,EAAK1R,MAAM6oB,EAAa,GAChCnX,EAAOA,EAAK1R,MAAM,EAAG6oB,IAGhB,CACLnX,KAAMA,EACN2L,MAAOA,EACPwB,KAAMA,EAEV,CA8fmBiK,CAAU5B,EAAKxV,MAAQ,IACpCqX,EAAY3E,GAAWA,EAAQ1S,MAAS,IACxCA,EAAOiX,EAAWjX,KAClBkT,GAAY+D,EAAWjX,KAAMqX,EAAUhE,GAAUmC,EAAKnC,QACtDgE,EAEA1L,EAv9BN,SACEA,EACA2L,EACAC,QAEoB,IAAfD,IAAwBA,EAAa,CAAC,GAE3C,IACIE,EADArlB,EAAQolB,GAAenJ,GAE3B,IACEoJ,EAAcrlB,EAAMwZ,GAAS,GAC/B,CAAE,MAAOvZ,GAEPolB,EAAc,CAAC,CACjB,CACA,IAAK,IAAIxd,KAAOsd,EAAY,CAC1B,IAAI9kB,EAAQ8kB,EAAWtd,GACvBwd,EAAYxd,GAAOjL,MAAM6L,QAAQpI,GAC7BA,EAAM4M,IAAI+O,IACVA,GAAoB3b,EAC1B,CACA,OAAOglB,CACT,CAi8BcC,CACVR,EAAWtL,MACX6J,EAAK7J,MACLqD,GAAUA,EAAO/N,QAAQmN,YAGvBjB,EAAOqI,EAAKrI,MAAQ8J,EAAW9J,KAKnC,OAJIA,GAA2B,MAAnBA,EAAKoG,OAAO,KACtBpG,EAAO,IAAMA,GAGR,CACL2J,aAAa,EACb9W,KAAMA,EACN2L,MAAOA,EACPwB,KAAMA,EAEV,CAKA,IA4NIuK,GAzNA,GAAO,WAAa,EAMpBC,GAAO,CACTxpB,KAAM,aACN2iB,MAAO,CACL8G,GAAI,CACF3f,KAbQ,CAACE,OAAQzL,QAcjBmrB,UAAU,GAEZC,IAAK,CACH7f,KAAME,OACN4Y,QAAS,KAEXgH,OAAQtL,QACRuL,MAAOvL,QACPwL,UAAWxL,QACX4G,OAAQ5G,QACRvT,QAASuT,QACTyL,YAAa/f,OACbggB,iBAAkBhgB,OAClBigB,iBAAkB,CAChBngB,KAAME,OACN4Y,QAAS,QAEXzjB,MAAO,CACL2K,KA/BW,CAACE,OAAQpJ,OAgCpBgiB,QAAS,UAGbC,OAAQ,SAAiBI,GACvB,IAAIiH,EAAWlrB,KAEX6hB,EAAS7hB,KAAKmrB,QACd5F,EAAUvlB,KAAKmkB,OACflM,EAAM4J,EAAOvb,QACftG,KAAKyqB,GACLlF,EACAvlB,KAAKkmB,QAEH3b,EAAW0N,EAAI1N,SACfwX,EAAQ9J,EAAI8J,MACZ1X,EAAO4N,EAAI5N,KAEX+gB,EAAU,CAAC,EACXC,EAAoBxJ,EAAO/N,QAAQwX,gBACnCC,EAAyB1J,EAAO/N,QAAQ0X,qBAExCC,EACmB,MAArBJ,EAA4B,qBAAuBA,EACjDK,EACwB,MAA1BH,EACI,2BACAA,EACFR,EACkB,MAApB/qB,KAAK+qB,YAAsBU,EAAsBzrB,KAAK+qB,YACpDC,EACuB,MAAzBhrB,KAAKgrB,iBACDU,EACA1rB,KAAKgrB,iBAEPW,EAAgB5J,EAAMH,eACtBF,GAAY,KAAMgI,GAAkB3H,EAAMH,gBAAiB,KAAMC,GACjEE,EAEJqJ,EAAQJ,GAAoBtI,GAAY6C,EAASoG,EAAe3rB,KAAK8qB,WACrEM,EAAQL,GAAe/qB,KAAK6qB,OAAS7qB,KAAK8qB,UACtCM,EAAQJ,GAn2BhB,SAA0BzF,EAASvhB,GACjC,OAGQ,IAFNuhB,EAAQ1S,KAAK9G,QAAQ0V,GAAiB,KAAKvL,QACzClS,EAAO6O,KAAK9G,QAAQ0V,GAAiB,SAErCzd,EAAOgc,MAAQuF,EAAQvF,OAAShc,EAAOgc,OAK7C,SAAwBuF,EAASvhB,GAC/B,IAAK,IAAI6I,KAAO7I,EACd,KAAM6I,KAAO0Y,GACX,OAAO,EAGX,OAAO,CACT,CAXIqG,CAAcrG,EAAQ/G,MAAOxa,EAAOwa,MAExC,CA41BQqN,CAAgBtG,EAASoG,GAE7B,IAAIV,EAAmBG,EAAQJ,GAAoBhrB,KAAKirB,iBAAmB,KAEvEa,EAAU,SAAU7mB,GAClB8mB,GAAW9mB,KACTimB,EAASnf,QACX8V,EAAO9V,QAAQxB,EAAU,IAEzBsX,EAAOrhB,KAAK+J,EAAU,IAG5B,EAEI5H,EAAK,CAAE0G,MAAO0iB,IACdnqB,MAAM6L,QAAQzN,KAAKG,OACrBH,KAAKG,MAAMgR,SAAQ,SAAUlM,GAC3BtC,EAAGsC,GAAK6mB,CACV,IAEAnpB,EAAG3C,KAAKG,OAAS2rB,EAGnB,IAAIhnB,EAAO,CAAEknB,MAAOZ,GAEhBa,GACDjsB,KAAKksB,aAAaC,YACnBnsB,KAAKksB,aAAatI,SAClB5jB,KAAKksB,aAAatI,QAAQ,CACxBvZ,KAAMA,EACN0X,MAAOA,EACPqK,SAAUN,EACVO,SAAUjB,EAAQL,GAClBuB,cAAelB,EAAQJ,KAG3B,GAAIiB,EAAY,CAKd,GAA0B,IAAtBA,EAAWvqB,OACb,OAAOuqB,EAAW,GACb,GAAIA,EAAWvqB,OAAS,IAAMuqB,EAAWvqB,OAO9C,OAA6B,IAAtBuqB,EAAWvqB,OAAeuiB,IAAMA,EAAE,OAAQ,CAAC,EAAGgI,EAEzD,CAmBA,GAAiB,MAAbjsB,KAAK2qB,IACP7lB,EAAKnC,GAAKA,EACVmC,EAAKghB,MAAQ,CAAEzb,KAAMA,EAAM,eAAgB4gB,OACtC,CAEL,IAAI/gB,EAAIqiB,GAAWvsB,KAAKwsB,OAAO5I,SAC/B,GAAI1Z,EAAG,CAELA,EAAEuiB,UAAW,EACb,IAAIC,EAASxiB,EAAEpF,KAAO2b,GAAO,CAAC,EAAGvW,EAAEpF,MAGnC,IAAK,IAAI3E,KAFTusB,EAAM/pB,GAAK+pB,EAAM/pB,IAAM,CAAC,EAEN+pB,EAAM/pB,GAAI,CAC1B,IAAIgqB,EAAYD,EAAM/pB,GAAGxC,GACrBA,KAASwC,IACX+pB,EAAM/pB,GAAGxC,GAASyB,MAAM6L,QAAQkf,GAAaA,EAAY,CAACA,GAE9D,CAEA,IAAK,IAAIC,KAAWjqB,EACdiqB,KAAWF,EAAM/pB,GAEnB+pB,EAAM/pB,GAAGiqB,GAASpsB,KAAKmC,EAAGiqB,IAE1BF,EAAM/pB,GAAGiqB,GAAWd,EAIxB,IAAIe,EAAU3iB,EAAEpF,KAAKghB,MAAQrF,GAAO,CAAC,EAAGvW,EAAEpF,KAAKghB,OAC/C+G,EAAOxiB,KAAOA,EACdwiB,EAAO,gBAAkB5B,CAC3B,MAEEnmB,EAAKnC,GAAKA,CAEd,CAEA,OAAOshB,EAAEjkB,KAAK2qB,IAAK7lB,EAAM9E,KAAKwsB,OAAO5I,QACvC,GAGF,SAASmI,GAAY9mB,GAEnB,KAAIA,EAAE6nB,SAAW7nB,EAAE8nB,QAAU9nB,EAAE+nB,SAAW/nB,EAAEgoB,UAExChoB,EAAEioB,uBAEW1qB,IAAbyC,EAAEkoB,QAAqC,IAAbloB,EAAEkoB,QAAhC,CAEA,GAAIloB,EAAEmoB,eAAiBnoB,EAAEmoB,cAAcC,aAAc,CACnD,IAAIrpB,EAASiB,EAAEmoB,cAAcC,aAAa,UAC1C,GAAI,cAActjB,KAAK/F,GAAW,MACpC,CAKA,OAHIiB,EAAEqoB,gBACJroB,EAAEqoB,kBAEG,CAVgD,CAWzD,CAEA,SAASf,GAAYxI,GACnB,GAAIA,EAEF,IADA,IAAIwJ,EACK/rB,EAAI,EAAGA,EAAIuiB,EAASriB,OAAQF,IAAK,CAExC,GAAkB,OADlB+rB,EAAQxJ,EAASviB,IACPmpB,IACR,OAAO4C,EAET,GAAIA,EAAMxJ,WAAawJ,EAAQhB,GAAWgB,EAAMxJ,WAC9C,OAAOwJ,CAEX,CAEJ,CAsDA,IAAIC,GAA8B,oBAAXrqB,OAIvB,SAASsqB,GACPC,EACAC,EACAC,EACAC,EACAC,GAGA,IAAIC,EAAWJ,GAAe,GAE1BK,EAAUJ,GAAcruB,OAAOqB,OAAO,MAEtCqtB,EAAUJ,GAActuB,OAAOqB,OAAO,MAE1C8sB,EAAOvc,SAAQ,SAAU4Q,GACvBmM,GAAeH,EAAUC,EAASC,EAASlM,EAAO+L,EACpD,IAGA,IAAK,IAAItsB,EAAI,EAAGC,EAAIssB,EAASrsB,OAAQF,EAAIC,EAAGD,IACtB,MAAhBusB,EAASvsB,KACXusB,EAASvtB,KAAKutB,EAAS5X,OAAO3U,EAAG,GAAG,IACpCC,IACAD,KAgBJ,MAAO,CACLusB,SAAUA,EACVC,QAASA,EACTC,QAASA,EAEb,CAEA,SAASC,GACPH,EACAC,EACAC,EACAlM,EACAS,EACA2L,GAEA,IAAItb,EAAOkP,EAAMlP,KACb7R,EAAO+gB,EAAM/gB,KAmBbotB,EACFrM,EAAMqM,qBAAuB,CAAC,EAC5BC,EA2HN,SACExb,EACA2P,EACAnF,GAGA,OADKA,IAAUxK,EAAOA,EAAK9G,QAAQ,MAAO,KAC1B,MAAZ8G,EAAK,IACK,MAAV2P,EAD0B3P,EAEvB4T,GAAYjE,EAAW,KAAI,IAAM3P,EAC1C,CApIuByb,CAAczb,EAAM2P,EAAQ4L,EAAoB/Q,QAElC,kBAAxB0E,EAAMwM,gBACfH,EAAoBnF,UAAYlH,EAAMwM,eAGxC,IAAI5M,EAAS,CACX9O,KAAMwb,EACNG,MAAOC,GAAkBJ,EAAgBD,GACzC3S,WAAYsG,EAAMtG,YAAc,CAAEmI,QAAS7B,EAAMmD,WACjDwJ,MAAO3M,EAAM2M,MACc,iBAAhB3M,EAAM2M,MACX,CAAC3M,EAAM2M,OACP3M,EAAM2M,MACR,GACJvL,UAAW,CAAC,EACZG,WAAY,CAAC,EACbtiB,KAAMA,EACNwhB,OAAQA,EACR2L,QAASA,EACTQ,SAAU5M,EAAM4M,SAChBC,YAAa7M,EAAM6M,YACnB5M,KAAMD,EAAMC,MAAQ,CAAC,EACrB2B,MACiB,MAAf5B,EAAM4B,MACF,CAAC,EACD5B,EAAMtG,WACJsG,EAAM4B,MACN,CAAEC,QAAS7B,EAAM4B,QAoC3B,GAjCI5B,EAAMgC,UAoBRhC,EAAMgC,SAAS5S,SAAQ,SAAUoc,GAC/B,IAAIsB,EAAeV,EACf1H,GAAW0H,EAAU,IAAOZ,EAAU,WACtC/qB,EACJ0rB,GAAeH,EAAUC,EAASC,EAASV,EAAO5L,EAAQkN,EAC5D,IAGGb,EAAQrM,EAAO9O,QAClBkb,EAASvtB,KAAKmhB,EAAO9O,MACrBmb,EAAQrM,EAAO9O,MAAQ8O,QAGLnf,IAAhBuf,EAAM2M,MAER,IADA,IAAII,EAAUltB,MAAM6L,QAAQsU,EAAM2M,OAAS3M,EAAM2M,MAAQ,CAAC3M,EAAM2M,OACvDltB,EAAI,EAAGA,EAAIstB,EAAQptB,SAAUF,EAAG,CAWvC,IAAIutB,EAAa,CACflc,KAXUic,EAAQttB,GAYlBuiB,SAAUhC,EAAMgC,UAElBmK,GACEH,EACAC,EACAC,EACAc,EACAvM,EACAb,EAAO9O,MAAQ,IAEnB,CAGE7R,IACGitB,EAAQjtB,KACXitB,EAAQjtB,GAAQ2gB,GAStB,CAEA,SAAS8M,GACP5b,EACAub,GAaA,OAXYxH,GAAe/T,EAAM,GAAIub,EAYvC,CAiBA,SAASY,GACPtB,EACA7L,GAEA,IAAI5J,EAAMwV,GAAeC,GACrBK,EAAW9V,EAAI8V,SACfC,EAAU/V,EAAI+V,QACdC,EAAUhW,EAAIgW,QA4BlB,SAAS/R,EACPvX,EACAsqB,EACArN,GAEA,IAAIrX,EAAWmf,GAAkB/kB,EAAKsqB,GAAc,EAAOpN,GACvD7gB,EAAOuJ,EAASvJ,KAEpB,GAAIA,EAAM,CACR,IAAI2gB,EAASsM,EAAQjtB,GAIrB,IAAK2gB,EAAU,OAAOuN,EAAa,KAAM3kB,GACzC,IAAI4kB,EAAaxN,EAAO6M,MAAMpoB,KAC3B4L,QAAO,SAAUnF,GAAO,OAAQA,EAAIoa,QAAU,IAC9ChV,KAAI,SAAUpF,GAAO,OAAOA,EAAI7L,IAAM,IAMzC,GAJ+B,iBAApBuJ,EAAS0X,SAClB1X,EAAS0X,OAAS,CAAC,GAGjBgN,GAA+C,iBAAxBA,EAAahN,OACtC,IAAK,IAAIpV,KAAOoiB,EAAahN,SACrBpV,KAAOtC,EAAS0X,SAAWkN,EAAWjZ,QAAQrJ,IAAQ,IAC1DtC,EAAS0X,OAAOpV,GAAOoiB,EAAahN,OAAOpV,IAMjD,OADAtC,EAASsI,KAAOyW,GAAW3H,EAAO9O,KAAMtI,EAAS0X,QAC1CiN,EAAavN,EAAQpX,EAAUqX,EACxC,CAAO,GAAIrX,EAASsI,KAAM,CACxBtI,EAAS0X,OAAS,CAAC,EACnB,IAAK,IAAIzgB,EAAI,EAAGA,EAAIusB,EAASrsB,OAAQF,IAAK,CACxC,IAAIqR,EAAOkb,EAASvsB,GAChB4tB,EAAWpB,EAAQnb,GACvB,GAAIwc,GAAWD,EAASZ,MAAOjkB,EAASsI,KAAMtI,EAAS0X,QACrD,OAAOiN,EAAaE,EAAU7kB,EAAUqX,EAE5C,CACF,CAEA,OAAOsN,EAAa,KAAM3kB,EAC5B,CAsFA,SAAS2kB,EACPvN,EACApX,EACAqX,GAEA,OAAID,GAAUA,EAAOgN,SAzFvB,SACEhN,EACApX,GAEA,IAAI+kB,EAAmB3N,EAAOgN,SAC1BA,EAAuC,mBAArBW,EAClBA,EAAiB5N,GAAYC,EAAQpX,EAAU,KAAMsX,IACrDyN,EAMJ,GAJwB,iBAAbX,IACTA,EAAW,CAAE9b,KAAM8b,KAGhBA,GAAgC,iBAAbA,EAMtB,OAAOO,EAAa,KAAM3kB,GAG5B,IAAIye,EAAK2F,EACL3tB,EAAOgoB,EAAGhoB,KACV6R,EAAOmW,EAAGnW,KACV2L,EAAQjU,EAASiU,MACjBwB,EAAOzV,EAASyV,KAChBiC,EAAS1X,EAAS0X,OAKtB,GAJAzD,EAAQwK,EAAGvpB,eAAe,SAAWupB,EAAGxK,MAAQA,EAChDwB,EAAOgJ,EAAGvpB,eAAe,QAAUupB,EAAGhJ,KAAOA,EAC7CiC,EAAS+G,EAAGvpB,eAAe,UAAYupB,EAAG/G,OAASA,EAE/CjhB,EAMF,OAJmBitB,EAAQjtB,GAIpBkb,EAAM,CACXyN,aAAa,EACb3oB,KAAMA,EACNwd,MAAOA,EACPwB,KAAMA,EACNiC,OAAQA,QACPzf,EAAW+H,GACT,GAAIsI,EAAM,CAEf,IAAIgX,EAmFV,SAA4BhX,EAAM8O,GAChC,OAAOoE,GAAYlT,EAAM8O,EAAOa,OAASb,EAAOa,OAAO3P,KAAO,KAAK,EACrE,CArFoB0c,CAAkB1c,EAAM8O,GAItC,OAAOzF,EAAM,CACXyN,aAAa,EACb9W,KAJiByW,GAAWO,EAAS5H,GAKrCzD,MAAOA,EACPwB,KAAMA,QACLxd,EAAW+H,EAChB,CAIE,OAAO2kB,EAAa,KAAM3kB,EAE9B,CA2BWokB,CAAShN,EAAQC,GAAkBrX,GAExCoX,GAAUA,EAAOwM,QA3BvB,SACExM,EACApX,EACA4jB,GAEA,IACIqB,EAAetT,EAAM,CACvByN,aAAa,EACb9W,KAHgByW,GAAW6E,EAAS5jB,EAAS0X,UAK/C,GAAIuN,EAAc,CAChB,IAAIpN,EAAUoN,EAAapN,QACvBqN,EAAgBrN,EAAQA,EAAQ1gB,OAAS,GAE7C,OADA6I,EAAS0X,OAASuN,EAAavN,OACxBiN,EAAaO,EAAellB,EACrC,CACA,OAAO2kB,EAAa,KAAM3kB,EAC5B,CAWWmkB,CAAM/M,EAAQpX,EAAUoX,EAAOwM,SAEjCzM,GAAYC,EAAQpX,EAAUqX,EAAgBC,EACvD,CAEA,MAAO,CACL3F,MAAOA,EACPwT,SAxKF,SAAmBC,EAAe5N,GAChC,IAAIS,EAAmC,iBAAlBmN,EAA8B1B,EAAQ0B,QAAiBntB,EAE5EirB,GAAe,CAAC1L,GAAS4N,GAAgB5B,EAAUC,EAASC,EAASzL,GAGjEA,GAAUA,EAAOkM,MAAMhtB,QACzB+rB,GAEEjL,EAAOkM,MAAMzc,KAAI,SAAUyc,GAAS,MAAO,CAAG7b,KAAM6b,EAAO3K,SAAU,CAAChC,GAAW,IACjFgM,EACAC,EACAC,EACAzL,EAGN,EAyJEoN,UAvJF,WACE,OAAO7B,EAAS9b,KAAI,SAAUY,GAAQ,OAAOmb,EAAQnb,EAAO,GAC9D,EAsJEgd,UA9KF,SAAoBnC,GAClBD,GAAeC,EAAQK,EAAUC,EAASC,EAC5C,EA8KF,CAEA,SAASoB,GACPb,EACA3b,EACAoP,GAEA,IAAIiG,EAAIrV,EAAKqJ,MAAMsS,GAEnB,IAAKtG,EACH,OAAO,EACF,IAAKjG,EACV,OAAO,EAGT,IAAK,IAAIzgB,EAAI,EAAGa,EAAM6lB,EAAExmB,OAAQF,EAAIa,IAAOb,EAAG,CAC5C,IAAIqL,EAAM2hB,EAAMpoB,KAAK5E,EAAI,GACrBqL,IAEFoV,EAAOpV,EAAI7L,MAAQ,aAA+B,iBAATknB,EAAE1mB,GAAkB,GAAO0mB,EAAE1mB,IAAM0mB,EAAE1mB,GAElF,CAEA,OAAO,CACT,CASA,IAAIsuB,GACFtC,IAAarqB,OAAOsC,aAAetC,OAAOsC,YAAYD,IAClDrC,OAAOsC,YACPG,KAEN,SAASmqB,KACP,OAAOD,GAAKtqB,MAAMwqB,QAAQ,EAC5B,CAEA,IAAIC,GAAOF,KAEX,SAASG,KACP,OAAOD,EACT,CAEA,SAASE,GAAatjB,GACpB,OAAQojB,GAAOpjB,CACjB,CAIA,IAAIujB,GAAgB7wB,OAAOqB,OAAO,MAElC,SAASyvB,KAEH,sBAAuBltB,OAAOmtB,UAChCntB,OAAOmtB,QAAQC,kBAAoB,UAOrC,IAAIC,EAAkBrtB,OAAOoH,SAASkmB,SAAW,KAAOttB,OAAOoH,SAASmmB,KACpEC,EAAextB,OAAOoH,SAASF,KAAK0B,QAAQykB,EAAiB,IAE7DI,EAAYnQ,GAAO,CAAC,EAAGtd,OAAOmtB,QAAQ1jB,OAI1C,OAHAgkB,EAAU/jB,IAAMqjB,KAChB/sB,OAAOmtB,QAAQO,aAAaD,EAAW,GAAID,GAC3CxtB,OAAO2tB,iBAAiB,WAAYC,IAC7B,WACL5tB,OAAO6tB,oBAAoB,WAAYD,GACzC,CACF,CAEA,SAASE,GACPpP,EACA4I,EACA3Y,EACAof,GAEA,GAAKrP,EAAOnT,IAAZ,CAIA,IAAIyiB,EAAWtP,EAAO/N,QAAQsd,eACzBD,GASLtP,EAAOnT,IAAI2iB,WAAU,WACnB,IAAIC,EA6CR,WACE,IAAIzkB,EAAMqjB,KACV,GAAIrjB,EACF,OAAOujB,GAAcvjB,EAEzB,CAlDmB0kB,GACXC,EAAeL,EAASjwB,KAC1B2gB,EACA4I,EACA3Y,EACAof,EAAQI,EAAW,MAGhBE,IAI4B,mBAAtBA,EAAahZ,KACtBgZ,EACGhZ,MAAK,SAAUgZ,GACdC,GAAiB,EAAgBH,EACnC,IACCxY,OAAM,SAAUiI,GAIjB,IAEF0Q,GAAiBD,EAAcF,GAEnC,GAtCA,CAuCF,CAEA,SAASI,KACP,IAAI7kB,EAAMqjB,KACNrjB,IACFujB,GAAcvjB,GAAO,CACnBkQ,EAAG5Z,OAAOwuB,YACVC,EAAGzuB,OAAO0uB,aAGhB,CAEA,SAASd,GAAgB9rB,GACvBysB,KACIzsB,EAAE2H,OAAS3H,EAAE2H,MAAMC,KACrBsjB,GAAYlrB,EAAE2H,MAAMC,IAExB,CAmBA,SAASilB,GAAiBlY,GACxB,OAAOmY,GAASnY,EAAImD,IAAMgV,GAASnY,EAAIgY,EACzC,CAEA,SAASI,GAAmBpY,GAC1B,MAAO,CACLmD,EAAGgV,GAASnY,EAAImD,GAAKnD,EAAImD,EAAI5Z,OAAOwuB,YACpCC,EAAGG,GAASnY,EAAIgY,GAAKhY,EAAIgY,EAAIzuB,OAAO0uB,YAExC,CASA,SAASE,GAAUE,GACjB,MAAoB,iBAANA,CAChB,CAEA,IAAIC,GAAyB,OAE7B,SAAST,GAAkBD,EAAcF,GACvC,IAdwB1X,EAcpBuY,EAAmC,iBAAjBX,EACtB,GAAIW,GAA6C,iBAA1BX,EAAaY,SAAuB,CAGzD,IAAIC,EAAKH,GAAuBnoB,KAAKynB,EAAaY,UAC9C3oB,SAAS6oB,eAAed,EAAaY,SAASjxB,MAAM,IACpDsI,SAAS8oB,cAAcf,EAAaY,UAExC,GAAIC,EAAI,CACN,IAAIjK,EACFoJ,EAAapJ,QAAyC,iBAAxBoJ,EAAapJ,OACvCoJ,EAAapJ,OACb,CAAC,EAEPkJ,EAjDN,SAA6Be,EAAIjK,GAC/B,IACIoK,EADQ/oB,SAASgpB,gBACDC,wBAChBC,EAASN,EAAGK,wBAChB,MAAO,CACL3V,EAAG4V,EAAO9W,KAAO2W,EAAQ3W,KAAOuM,EAAOrL,EACvC6U,EAAGe,EAAOC,IAAMJ,EAAQI,IAAMxK,EAAOwJ,EAEzC,CAyCiBiB,CAAmBR,EAD9BjK,EA1BG,CACLrL,EAAGgV,IAFmBnY,EA2BKwO,GAzBXrL,GAAKnD,EAAImD,EAAI,EAC7B6U,EAAGG,GAASnY,EAAIgY,GAAKhY,EAAIgY,EAAI,GA0B7B,MAAWE,GAAgBN,KACzBF,EAAWU,GAAkBR,GAEjC,MAAWW,GAAYL,GAAgBN,KACrCF,EAAWU,GAAkBR,IAG3BF,IAEE,mBAAoB7nB,SAASgpB,gBAAgBK,MAC/C3vB,OAAO4vB,SAAS,CACdlX,KAAMyV,EAASvU,EACf6V,IAAKtB,EAASM,EAEdT,SAAUK,EAAaL,WAGzBhuB,OAAO4vB,SAASzB,EAASvU,EAAGuU,EAASM,GAG3C,CAIA,IAGQoB,GAHJC,GACFzF,MAKmC,KAH7BwF,GAAK7vB,OAAOD,UAAU2G,WAGpBqM,QAAQ,gBAAuD,IAA/B8c,GAAG9c,QAAQ,iBACd,IAAjC8c,GAAG9c,QAAQ,mBACe,IAA1B8c,GAAG9c,QAAQ,YACsB,IAAjC8c,GAAG9c,QAAQ,mBAKN/S,OAAOmtB,SAA+C,mBAA7BntB,OAAOmtB,QAAQ4C,UAGnD,SAASA,GAAW5qB,EAAKyD,GACvB2lB,KAGA,IAAIpB,EAAUntB,OAAOmtB,QACrB,IACE,GAAIvkB,EAAS,CAEX,IAAI6kB,EAAYnQ,GAAO,CAAC,EAAG6P,EAAQ1jB,OACnCgkB,EAAU/jB,IAAMqjB,KAChBI,EAAQO,aAAaD,EAAW,GAAItoB,EACtC,MACEgoB,EAAQ4C,UAAU,CAAErmB,IAAKsjB,GAAYJ,OAAkB,GAAIznB,EAE/D,CAAE,MAAOrD,GACP9B,OAAOoH,SAASwB,EAAU,UAAY,UAAUzD,EAClD,CACF,CAEA,SAASuoB,GAAcvoB,GACrB4qB,GAAU5qB,GAAK,EACjB,CAGA,IAAI6qB,GAAwB,CAC1BC,WAAY,EACZC,QAAS,EACTC,UAAW,EACXC,WAAY,IA0Bd,SAASC,GAAgC1hB,EAAM2Y,GAC7C,OAAOgJ,GACL3hB,EACA2Y,EACA0I,GAAsBG,UACrB,8BAAkCxhB,EAAa,SAAI,SAAc2Y,EAAW,SAAI,2BAErF,CAWA,SAASgJ,GAAmB3hB,EAAM2Y,EAAI3f,EAAMoB,GAC1C,IAAIjD,EAAQ,IAAI6C,MAAMI,GAMtB,OALAjD,EAAMyqB,WAAY,EAClBzqB,EAAM6I,KAAOA,EACb7I,EAAMwhB,GAAKA,EACXxhB,EAAM6B,KAAOA,EAEN7B,CACT,CAEA,IAAI0qB,GAAkB,CAAC,SAAU,QAAS,QAY1C,SAASC,GAAS7S,GAChB,OAAOxhB,OAAOC,UAAUkI,SAASxG,KAAK6f,GAAK7K,QAAQ,UAAY,CACjE,CAEA,SAAS2d,GAAqB9S,EAAK+S,GACjC,OACEF,GAAQ7S,IACRA,EAAI2S,YACU,MAAbI,GAAqB/S,EAAIjW,OAASgpB,EAEvC,CAIA,SAASC,GAAUC,EAAOn0B,EAAIo0B,GAC5B,IAAIC,EAAO,SAAUxU,GACfA,GAASsU,EAAMtyB,OACjBuyB,IAEID,EAAMtU,GACR7f,EAAGm0B,EAAMtU,IAAQ,WACfwU,EAAKxU,EAAQ,EACf,IAEAwU,EAAKxU,EAAQ,EAGnB,EACAwU,EAAK,EACP,CAsEA,SAASC,GACP/R,EACAviB,GAEA,OAAOu0B,GAAQhS,EAAQnQ,KAAI,SAAUiW,GACnC,OAAO3oB,OAAO6G,KAAK8hB,EAAEzM,YAAYxJ,KAAI,SAAUpF,GAAO,OAAOhN,EAC3DqoB,EAAEzM,WAAW5O,GACbqb,EAAE/E,UAAUtW,GACZqb,EAAGrb,EACF,GACL,IACF,CAEA,SAASunB,GAASzN,GAChB,OAAO/kB,MAAMpC,UAAU6B,OAAOoB,MAAM,GAAIkkB,EAC1C,CAEA,IAAI0N,GACgB,mBAAX9sB,QACuB,iBAAvBA,OAAO+sB,YAUhB,SAASv0B,GAAMF,GACb,IAAI00B,GAAS,EACb,OAAO,WAEL,IADA,IAAInyB,EAAO,GAAIC,EAAMC,UAAUZ,OACvBW,KAAQD,EAAMC,GAAQC,UAAWD,GAEzC,IAAIkyB,EAEJ,OADAA,GAAS,EACF10B,EAAG4C,MAAMzC,KAAMoC,EACxB,CACF,CAIA,IAAIoyB,GAAU,SAAkB3S,EAAQoE,GACtCjmB,KAAK6hB,OAASA,EACd7hB,KAAKimB,KAgOP,SAAwBA,GACtB,IAAKA,EACH,GAAIuH,GAAW,CAEb,IAAIiH,EAAShrB,SAAS8oB,cAAc,QAGpCtM,GAFAA,EAAQwO,GAAUA,EAAOpH,aAAa,SAAY,KAEtCthB,QAAQ,qBAAsB,GAC5C,MACEka,EAAO,IAQX,MAJuB,MAAnBA,EAAKG,OAAO,KACdH,EAAO,IAAMA,GAGRA,EAAKla,QAAQ,MAAO,GAC7B,CAlPc2oB,CAAczO,GAE1BjmB,KAAKulB,QAAUhD,GACfviB,KAAK20B,QAAU,KACf30B,KAAK40B,OAAQ,EACb50B,KAAK60B,SAAW,GAChB70B,KAAK80B,cAAgB,GACrB90B,KAAK+0B,SAAW,GAChB/0B,KAAKsB,UAAY,EACnB,EA6PA,SAAS0zB,GACPC,EACAj0B,EACAoT,EACA8gB,GAEA,IAAIC,EAAShB,GAAkBc,GAAS,SAAUG,EAAKhS,EAAUlH,EAAOrP,GACtE,IAAIwoB,EAUR,SACED,EACAvoB,GAMA,MAJmB,mBAARuoB,IAETA,EAAM7K,GAAK9J,OAAO2U,IAEbA,EAAIthB,QAAQjH,EACrB,CAnBgByoB,CAAaF,EAAKp0B,GAC9B,GAAIq0B,EACF,OAAOzzB,MAAM6L,QAAQ4nB,GACjBA,EAAMpjB,KAAI,SAAUojB,GAAS,OAAOjhB,EAAKihB,EAAOjS,EAAUlH,EAAOrP,EAAM,IACvEuH,EAAKihB,EAAOjS,EAAUlH,EAAOrP,EAErC,IACA,OAAOunB,GAAQc,EAAUC,EAAOD,UAAYC,EAC9C,CAqBA,SAASI,GAAWF,EAAOjS,GACzB,GAAIA,EACF,OAAO,WACL,OAAOiS,EAAM5yB,MAAM2gB,EAAU9gB,UAC/B,CAEJ,CArSAkyB,GAAQh1B,UAAUg2B,OAAS,SAAiBvB,GAC1Cj0B,KAAKi0B,GAAKA,CACZ,EAEAO,GAAQh1B,UAAUi2B,QAAU,SAAkBxB,EAAIyB,GAC5C11B,KAAK40B,MACPX,KAEAj0B,KAAK60B,SAASr0B,KAAKyzB,GACfyB,GACF11B,KAAK80B,cAAct0B,KAAKk1B,GAG9B,EAEAlB,GAAQh1B,UAAU+U,QAAU,SAAkBmhB,GAC5C11B,KAAK+0B,SAASv0B,KAAKk1B,EACrB,EAEAlB,GAAQh1B,UAAUm2B,aAAe,SAC/BprB,EACAqrB,EACAC,GAEE,IAEE9T,EAFEmJ,EAAWlrB,KAIjB,IACE+hB,EAAQ/hB,KAAK6hB,OAAO3F,MAAM3R,EAAUvK,KAAKulB,QAC3C,CAAE,MAAOtgB,GAKP,MAJAjF,KAAK+0B,SAAS5jB,SAAQ,SAAU8iB,GAC9BA,EAAGhvB,EACL,IAEMA,CACR,CACA,IAAI6wB,EAAO91B,KAAKulB,QAChBvlB,KAAK+1B,kBACHhU,GACA,WACEmJ,EAAS8K,YAAYjU,GACrB6T,GAAcA,EAAW7T,GACzBmJ,EAAS+K,YACT/K,EAASrJ,OAAOqU,WAAW/kB,SAAQ,SAAUpN,GAC3CA,GAAQA,EAAKge,EAAO+T,EACtB,IAGK5K,EAAS0J,QACZ1J,EAAS0J,OAAQ,EACjB1J,EAAS2J,SAAS1jB,SAAQ,SAAU8iB,GAClCA,EAAGlS,EACL,IAEJ,IACA,SAAUhB,GACJ8U,GACFA,EAAQ9U,GAENA,IAAQmK,EAAS0J,QAKdf,GAAoB9S,EAAKoS,GAAsBC,aAAe0C,IAASvT,KAC1E2I,EAAS0J,OAAQ,EACjB1J,EAAS4J,cAAc3jB,SAAQ,SAAU8iB,GACvCA,EAAGlT,EACL,KAGN,GAEJ,EAEAyT,GAAQh1B,UAAUu2B,kBAAoB,SAA4BhU,EAAO6T,EAAYC,GACjF,IAAI3K,EAAWlrB,KAEbulB,EAAUvlB,KAAKulB,QACnBvlB,KAAK20B,QAAU5S,EACf,IAhSwCjQ,EACpC7I,EA+RAktB,EAAQ,SAAUpV,IAIf8S,GAAoB9S,IAAQ6S,GAAQ7S,KACnCmK,EAAS6J,SAASrzB,OACpBwpB,EAAS6J,SAAS5jB,SAAQ,SAAU8iB,GAClCA,EAAGlT,EACL,IAKA,GAAQ9X,MAAM8X,IAGlB8U,GAAWA,EAAQ9U,EACrB,EACIqV,EAAiBrU,EAAMK,QAAQ1gB,OAAS,EACxC20B,EAAmB9Q,EAAQnD,QAAQ1gB,OAAS,EAChD,GACEghB,GAAYX,EAAOwD,IAEnB6Q,IAAmBC,GACnBtU,EAAMK,QAAQgU,KAAoB7Q,EAAQnD,QAAQiU,GAMlD,OAJAr2B,KAAKi2B,YACDlU,EAAM/B,MACRiR,GAAajxB,KAAK6hB,OAAQ0D,EAASxD,GAAO,GAErCoU,IA7TLltB,EAAQwqB,GAD4B3hB,EA8TOyT,EAASxD,EA1TtDoR,GAAsBI,WACrB,sDAA0DzhB,EAAa,SAAI,OAGxE9Q,KAAO,uBACNiI,IAwTP,IA5O+BmZ,EA4O3BnK,EAuHN,SACEsN,EACA8C,GAEA,IAAI7mB,EACA80B,EAAMC,KAAKD,IAAI/Q,EAAQ7jB,OAAQ2mB,EAAK3mB,QACxC,IAAKF,EAAI,EAAGA,EAAI80B,GACV/Q,EAAQ/jB,KAAO6mB,EAAK7mB,GADLA,KAKrB,MAAO,CACLg1B,QAASnO,EAAKlnB,MAAM,EAAGK,GACvBi1B,UAAWpO,EAAKlnB,MAAMK,GACtBk1B,YAAanR,EAAQpkB,MAAMK,GAE/B,CAvIYm1B,CACR32B,KAAKulB,QAAQnD,QACbL,EAAMK,SAEFoU,EAAUve,EAAIue,QACdE,EAAcze,EAAIye,YAClBD,EAAYxe,EAAIwe,UAElBzC,EAAQ,GAAG3yB,OA6JjB,SAA6Bq1B,GAC3B,OAAO1B,GAAc0B,EAAa,mBAAoBnB,IAAW,EACnE,CA7JIqB,CAAmBF,GAEnB12B,KAAK6hB,OAAOgV,YA6JhB,SAA6BL,GAC3B,OAAOxB,GAAcwB,EAAS,oBAAqBjB,GACrD,CA7JIuB,CAAmBN,GAEnBC,EAAUxkB,KAAI,SAAUiW,GAAK,OAAOA,EAAE0G,WAAa,KA5PtBxM,EA8PNqU,EA7PlB,SAAUhM,EAAI3Y,EAAMuW,GACzB,IAAI0O,GAAW,EACXpC,EAAU,EACV1rB,EAAQ,KAEZkrB,GAAkB/R,GAAS,SAAUgT,EAAKtR,EAAG5H,EAAOrP,GAMlD,GAAmB,mBAARuoB,QAAkC5yB,IAAZ4yB,EAAI4B,IAAmB,CACtDD,GAAW,EACXpC,IAEA,IA0BIzT,EA1BA5a,EAAUvG,IAAK,SAAUk3B,GAuErC,IAAqBrd,MAtEIqd,GAuEZC,YAAe7C,IAAyC,WAA5Bza,EAAIrS,OAAO+sB,gBAtExC2C,EAAcA,EAAYrT,SAG5BwR,EAAI+B,SAAkC,mBAAhBF,EAClBA,EACA1M,GAAK9J,OAAOwW,GAChB/a,EAAMT,WAAW5O,GAAOoqB,IACxBtC,GACe,GACbtM,GAEJ,IAEIpY,EAASlQ,IAAK,SAAUq3B,GAC1B,IAAIC,EAAM,qCAAuCxqB,EAAM,KAAOuqB,EAEzDnuB,IACHA,EAAQ2qB,GAAQwD,GACZA,EACA,IAAItrB,MAAMurB,GACdhP,EAAKpf,GAET,IAGA,IACEiY,EAAMkU,EAAI9uB,EAAS2J,EACrB,CAAE,MAAOhL,GACPgL,EAAOhL,EACT,CACA,GAAIic,EACF,GAAwB,mBAAbA,EAAI1I,KACb0I,EAAI1I,KAAKlS,EAAS2J,OACb,CAEL,IAAIqnB,EAAOpW,EAAIgE,UACXoS,GAA6B,mBAAdA,EAAK9e,MACtB8e,EAAK9e,KAAKlS,EAAS2J,EAEvB,CAEJ,CACF,IAEK8mB,GAAY1O,GACnB,IAkMIkP,EAAW,SAAUxzB,EAAMskB,GAC7B,GAAI6C,EAASyJ,UAAY5S,EACvB,OAAOoU,EAAM3C,GAA+BjO,EAASxD,IAEvD,IACEhe,EAAKge,EAAOwD,GAAS,SAAUkF,IAClB,IAAPA,GAEFS,EAAS+K,WAAU,GACnBE,EA1UV,SAAuCrkB,EAAM2Y,GAC3C,OAAOgJ,GACL3hB,EACA2Y,EACA0I,GAAsBE,QACrB,4BAAgCvhB,EAAa,SAAI,SAAc2Y,EAAW,SAAI,4BAEnF,CAmUgB+M,CAA6BjS,EAASxD,KACnC6R,GAAQnJ,IACjBS,EAAS+K,WAAU,GACnBE,EAAM1L,IAEQ,iBAAPA,GACQ,iBAAPA,IACc,iBAAZA,EAAG5X,MAAwC,iBAAZ4X,EAAGzpB,OAG5Cm1B,EApXV,SAA0CrkB,EAAM2Y,GAC9C,OAAOgJ,GACL3hB,EACA2Y,EACA0I,GAAsBC,WACrB,+BAAmCthB,EAAa,SAAI,SAgDzD,SAAyB2Y,GACvB,GAAkB,iBAAPA,EAAmB,OAAOA,EACrC,GAAI,SAAUA,EAAM,OAAOA,EAAG5X,KAC9B,IAAItI,EAAW,CAAC,EAIhB,OAHAopB,GAAgBxiB,SAAQ,SAAUtE,GAC5BA,KAAO4d,IAAMlgB,EAASsC,GAAO4d,EAAG5d,GACtC,IACO9H,KAAKQ,UAAUgF,EAAU,KAAM,EACxC,CAxDsE,CAChEkgB,GACG,4BAET,CA2WgBgN,CAAgClS,EAASxD,IAC7B,iBAAP0I,GAAmBA,EAAG1e,QAC/Bmf,EAASnf,QAAQ0e,GAEjBS,EAAS1qB,KAAKiqB,IAIhBpC,EAAKoC,EAET,GACF,CAAE,MAAOxlB,GACPkxB,EAAMlxB,EACR,CACF,EAEA8uB,GAASC,EAAOuD,GAAU,WAGxB,IAAIG,EA0HR,SACEjB,GAEA,OAAOzB,GACLyB,EACA,oBACA,SAAUpB,EAAOvR,EAAG5H,EAAOrP,GACzB,OAKN,SACEwoB,EACAnZ,EACArP,GAEA,OAAO,SAA0B4d,EAAI3Y,EAAMuW,GACzC,OAAOgN,EAAM5K,EAAI3Y,GAAM,SAAUmiB,GACb,mBAAPA,IACJ/X,EAAMoH,WAAWzW,KACpBqP,EAAMoH,WAAWzW,GAAO,IAE1BqP,EAAMoH,WAAWzW,GAAKrM,KAAKyzB,IAE7B5L,EAAK4L,EACP,GACF,CACF,CArBa0D,CAAetC,EAAOnZ,EAAOrP,EACtC,GAEJ,CApIsB+qB,CAAmBnB,GAErC1C,GADY2D,EAAYr2B,OAAO6pB,EAASrJ,OAAOgW,cAC/BN,GAAU,WACxB,GAAIrM,EAASyJ,UAAY5S,EACvB,OAAOoU,EAAM3C,GAA+BjO,EAASxD,IAEvDmJ,EAASyJ,QAAU,KACnBiB,EAAW7T,GACPmJ,EAASrJ,OAAOnT,KAClBwc,EAASrJ,OAAOnT,IAAI2iB,WAAU,WAC5BnO,GAAmBnB,EACrB,GAEJ,GACF,GACF,EAEAyS,GAAQh1B,UAAUw2B,YAAc,SAAsBjU,GACpD/hB,KAAKulB,QAAUxD,EACf/hB,KAAKi0B,IAAMj0B,KAAKi0B,GAAGlS,EACrB,EAEAyS,GAAQh1B,UAAUs4B,eAAiB,WAEnC,EAEAtD,GAAQh1B,UAAUu4B,SAAW,WAG3B/3B,KAAKsB,UAAU6P,SAAQ,SAAU6mB,GAC/BA,GACF,IACAh4B,KAAKsB,UAAY,GAIjBtB,KAAKulB,QAAUhD,GACfviB,KAAK20B,QAAU,IACjB,EAoHA,IAAIsD,GAA6B,SAAUzD,GACzC,SAASyD,EAAcpW,EAAQoE,GAC7BuO,EAAQtzB,KAAKlB,KAAM6hB,EAAQoE,GAE3BjmB,KAAKk4B,eAAiBC,GAAYn4B,KAAKimB,KACzC,CAkFA,OAhFKuO,IAAUyD,EAAap3B,UAAY2zB,GACxCyD,EAAaz4B,UAAYD,OAAOqB,OAAQ4zB,GAAWA,EAAQh1B,WAC3Dy4B,EAAaz4B,UAAUqE,YAAco0B,EAErCA,EAAaz4B,UAAUs4B,eAAiB,WACtC,IAAI5M,EAAWlrB,KAEf,KAAIA,KAAKsB,UAAUI,OAAS,GAA5B,CAIA,IAAImgB,EAAS7hB,KAAK6hB,OACduW,EAAevW,EAAO/N,QAAQsd,eAC9BiH,EAAiBpF,IAAqBmF,EAEtCC,GACFr4B,KAAKsB,UAAUd,KAAK6vB,MAGtB,IAAIiI,EAAqB,WACvB,IAAI/S,EAAU2F,EAAS3F,QAInBhb,EAAW4tB,GAAYjN,EAASjF,MAChCiF,EAAS3F,UAAYhD,IAAShY,IAAa2gB,EAASgN,gBAIxDhN,EAASyK,aAAaprB,GAAU,SAAUwX,GACpCsW,GACFpH,GAAapP,EAAQE,EAAOwD,GAAS,EAEzC,GACF,EACApiB,OAAO2tB,iBAAiB,WAAYwH,GACpCt4B,KAAKsB,UAAUd,MAAK,WAClB2C,OAAO6tB,oBAAoB,WAAYsH,EACzC,GA7BA,CA8BF,EAEAL,EAAaz4B,UAAU+4B,GAAK,SAAaC,GACvCr1B,OAAOmtB,QAAQiI,GAAGC,EACpB,EAEAP,EAAaz4B,UAAUgB,KAAO,SAAe+J,EAAUqrB,EAAYC,GACjE,IAAI3K,EAAWlrB,KAGXy4B,EADMz4B,KACUulB,QACpBvlB,KAAK21B,aAAaprB,GAAU,SAAUwX,GACpCmR,GAAUzM,GAAUyE,EAASjF,KAAOlE,EAAMG,WAC1C+O,GAAa/F,EAASrJ,OAAQE,EAAO0W,GAAW,GAChD7C,GAAcA,EAAW7T,EAC3B,GAAG8T,EACL,EAEAoC,EAAaz4B,UAAUuM,QAAU,SAAkBxB,EAAUqrB,EAAYC,GACvE,IAAI3K,EAAWlrB,KAGXy4B,EADMz4B,KACUulB,QACpBvlB,KAAK21B,aAAaprB,GAAU,SAAUwX,GACpC8O,GAAapK,GAAUyE,EAASjF,KAAOlE,EAAMG,WAC7C+O,GAAa/F,EAASrJ,OAAQE,EAAO0W,GAAW,GAChD7C,GAAcA,EAAW7T,EAC3B,GAAG8T,EACL,EAEAoC,EAAaz4B,UAAUy2B,UAAY,SAAoBz1B,GACrD,GAAI23B,GAAYn4B,KAAKimB,QAAUjmB,KAAKulB,QAAQrD,SAAU,CACpD,IAAIqD,EAAUkB,GAAUzmB,KAAKimB,KAAOjmB,KAAKulB,QAAQrD,UACjD1hB,EAAO0yB,GAAU3N,GAAWsL,GAAatL,EAC3C,CACF,EAEA0S,EAAaz4B,UAAUk5B,mBAAqB,WAC1C,OAAOP,GAAYn4B,KAAKimB,KAC1B,EAEOgS,CACT,CAxFgC,CAwF9BzD,IAEF,SAAS2D,GAAalS,GACpB,IAAIpT,EAAO1P,OAAOoH,SAASouB,SACvBC,EAAgB/lB,EAAKpG,cACrBosB,EAAgB5S,EAAKxZ,cAQzB,OAJIwZ,GAAU2S,IAAkBC,GAC6B,IAA1DD,EAAc1iB,QAAQuQ,GAAUoS,EAAgB,QACjDhmB,EAAOA,EAAK1R,MAAM8kB,EAAKvkB,UAEjBmR,GAAQ,KAAO1P,OAAOoH,SAASuuB,OAAS31B,OAAOoH,SAASyV,IAClE,CAIA,IAAI+Y,GAA4B,SAAUvE,GACxC,SAASuE,EAAalX,EAAQoE,EAAM+S,GAClCxE,EAAQtzB,KAAKlB,KAAM6hB,EAAQoE,GAEvB+S,GAqGR,SAAwB/S,GACtB,IAAI1b,EAAW4tB,GAAYlS,GAC3B,IAAK,OAAOlc,KAAKQ,GAEf,OADApH,OAAOoH,SAASwB,QAAQ0a,GAAUR,EAAO,KAAO1b,KACzC,CAEX,CA3GoB0uB,CAAcj5B,KAAKimB,OAGnCiT,IACF,CA8FA,OA5FK1E,IAAUuE,EAAYl4B,UAAY2zB,GACvCuE,EAAYv5B,UAAYD,OAAOqB,OAAQ4zB,GAAWA,EAAQh1B,WAC1Du5B,EAAYv5B,UAAUqE,YAAck1B,EAIpCA,EAAYv5B,UAAUs4B,eAAiB,WACrC,IAAI5M,EAAWlrB,KAEf,KAAIA,KAAKsB,UAAUI,OAAS,GAA5B,CAIA,IACI02B,EADSp4B,KAAK6hB,OACQ/N,QAAQsd,eAC9BiH,EAAiBpF,IAAqBmF,EAEtCC,GACFr4B,KAAKsB,UAAUd,KAAK6vB,MAGtB,IAAIiI,EAAqB,WACvB,IAAI/S,EAAU2F,EAAS3F,QAClB2T,MAGLhO,EAASyK,aAAa,MAAW,SAAU5T,GACrCsW,GACFpH,GAAa/F,EAASrJ,OAAQE,EAAOwD,GAAS,GAE3C0N,IACHkG,GAAYpX,EAAMG,SAEtB,GACF,EACIkX,EAAYnG,GAAoB,WAAa,aACjD9vB,OAAO2tB,iBACLsI,EACAd,GAEFt4B,KAAKsB,UAAUd,MAAK,WAClB2C,OAAO6tB,oBAAoBoI,EAAWd,EACxC,GA/BA,CAgCF,EAEAS,EAAYv5B,UAAUgB,KAAO,SAAe+J,EAAUqrB,EAAYC,GAChE,IAAI3K,EAAWlrB,KAGXy4B,EADMz4B,KACUulB,QACpBvlB,KAAK21B,aACHprB,GACA,SAAUwX,GACRsX,GAAStX,EAAMG,UACf+O,GAAa/F,EAASrJ,OAAQE,EAAO0W,GAAW,GAChD7C,GAAcA,EAAW7T,EAC3B,GACA8T,EAEJ,EAEAkD,EAAYv5B,UAAUuM,QAAU,SAAkBxB,EAAUqrB,EAAYC,GACtE,IAAI3K,EAAWlrB,KAGXy4B,EADMz4B,KACUulB,QACpBvlB,KAAK21B,aACHprB,GACA,SAAUwX,GACRoX,GAAYpX,EAAMG,UAClB+O,GAAa/F,EAASrJ,OAAQE,EAAO0W,GAAW,GAChD7C,GAAcA,EAAW7T,EAC3B,GACA8T,EAEJ,EAEAkD,EAAYv5B,UAAU+4B,GAAK,SAAaC,GACtCr1B,OAAOmtB,QAAQiI,GAAGC,EACpB,EAEAO,EAAYv5B,UAAUy2B,UAAY,SAAoBz1B,GACpD,IAAI+kB,EAAUvlB,KAAKulB,QAAQrD,SACvB,OAAcqD,IAChB/kB,EAAO64B,GAAS9T,GAAW4T,GAAY5T,GAE3C,EAEAwT,EAAYv5B,UAAUk5B,mBAAqB,WACzC,OAAO,IACT,EAEOK,CACT,CAvG+B,CAuG7BvE,IAUF,SAAS0E,KACP,IAAIrmB,EAAO,KACX,MAAuB,MAAnBA,EAAKuT,OAAO,KAGhB+S,GAAY,IAAMtmB,IACX,EACT,CAEA,SAAS,KAGP,IAAIxI,EAAOlH,OAAOoH,SAASF,KACvBqV,EAAQrV,EAAK6L,QAAQ,KAEzB,OAAIwJ,EAAQ,EAAY,GAExBrV,EAAOA,EAAKlJ,MAAMue,EAAQ,EAG5B,CAEA,SAAS4Z,GAAQzmB,GACf,IAAIxI,EAAOlH,OAAOoH,SAASF,KACvB7I,EAAI6I,EAAK6L,QAAQ,KAErB,OADW1U,GAAK,EAAI6I,EAAKlJ,MAAM,EAAGK,GAAK6I,GACxB,IAAMwI,CACvB,CAEA,SAASwmB,GAAUxmB,GACbogB,GACFC,GAAUoG,GAAOzmB,IAEjB1P,OAAOoH,SAASyV,KAAOnN,CAE3B,CAEA,SAASsmB,GAAatmB,GAChBogB,GACFpC,GAAayI,GAAOzmB,IAEpB1P,OAAOoH,SAASwB,QAAQutB,GAAOzmB,GAEnC,CAIA,IAAI0mB,GAAgC,SAAU/E,GAC5C,SAAS+E,EAAiB1X,EAAQoE,GAChCuO,EAAQtzB,KAAKlB,KAAM6hB,EAAQoE,GAC3BjmB,KAAKqmB,MAAQ,GACbrmB,KAAK0f,OAAS,CAChB,CAoEA,OAlEK8U,IAAU+E,EAAgB14B,UAAY2zB,GAC3C+E,EAAgB/5B,UAAYD,OAAOqB,OAAQ4zB,GAAWA,EAAQh1B,WAC9D+5B,EAAgB/5B,UAAUqE,YAAc01B,EAExCA,EAAgB/5B,UAAUgB,KAAO,SAAe+J,EAAUqrB,EAAYC,GACpE,IAAI3K,EAAWlrB,KAEfA,KAAK21B,aACHprB,GACA,SAAUwX,GACRmJ,EAAS7E,MAAQ6E,EAAS7E,MAAMllB,MAAM,EAAG+pB,EAASxL,MAAQ,GAAGre,OAAO0gB,GACpEmJ,EAASxL,QACTkW,GAAcA,EAAW7T,EAC3B,GACA8T,EAEJ,EAEA0D,EAAgB/5B,UAAUuM,QAAU,SAAkBxB,EAAUqrB,EAAYC,GAC1E,IAAI3K,EAAWlrB,KAEfA,KAAK21B,aACHprB,GACA,SAAUwX,GACRmJ,EAAS7E,MAAQ6E,EAAS7E,MAAMllB,MAAM,EAAG+pB,EAASxL,OAAOre,OAAO0gB,GAChE6T,GAAcA,EAAW7T,EAC3B,GACA8T,EAEJ,EAEA0D,EAAgB/5B,UAAU+4B,GAAK,SAAaC,GAC1C,IAAItN,EAAWlrB,KAEXw5B,EAAcx5B,KAAK0f,MAAQ8Y,EAC/B,KAAIgB,EAAc,GAAKA,GAAex5B,KAAKqmB,MAAM3kB,QAAjD,CAGA,IAAIqgB,EAAQ/hB,KAAKqmB,MAAMmT,GACvBx5B,KAAK+1B,kBACHhU,GACA,WACE,IAAI+T,EAAO5K,EAAS3F,QACpB2F,EAASxL,MAAQ8Z,EACjBtO,EAAS8K,YAAYjU,GACrBmJ,EAASrJ,OAAOqU,WAAW/kB,SAAQ,SAAUpN,GAC3CA,GAAQA,EAAKge,EAAO+T,EACtB,GACF,IACA,SAAU/U,GACJ8S,GAAoB9S,EAAKoS,GAAsBI,cACjDrI,EAASxL,MAAQ8Z,EAErB,GAhBF,CAkBF,EAEAD,EAAgB/5B,UAAUk5B,mBAAqB,WAC7C,IAAInT,EAAUvlB,KAAKqmB,MAAMrmB,KAAKqmB,MAAM3kB,OAAS,GAC7C,OAAO6jB,EAAUA,EAAQrD,SAAW,GACtC,EAEAqX,EAAgB/5B,UAAUy2B,UAAY,WAEtC,EAEOsD,CACT,CA1EmC,CA0EjC/E,IAMEiF,GAAY,SAAoB3lB,QACjB,IAAZA,IAAqBA,EAAU,CAAC,GAKrC9T,KAAK0O,IAAM,KACX1O,KAAK05B,KAAO,GACZ15B,KAAK8T,QAAUA,EACf9T,KAAK62B,YAAc,GACnB72B,KAAK63B,aAAe,GACpB73B,KAAKk2B,WAAa,GAClBl2B,KAAK25B,QAAU3K,GAAclb,EAAQ4Z,QAAU,GAAI1tB,MAEnD,IAAI45B,EAAO9lB,EAAQ8lB,MAAQ,OAW3B,OAVA55B,KAAKg5B,SACM,YAATY,IAAuB3G,KAA0C,IAArBnf,EAAQklB,SAClDh5B,KAAKg5B,WACPY,EAAO,QAEJpM,KACHoM,EAAO,YAET55B,KAAK45B,KAAOA,EAEJA,GACN,IAAK,UACH55B,KAAKswB,QAAU,IAAI2H,GAAaj4B,KAAM8T,EAAQmS,MAC9C,MACF,IAAK,OACHjmB,KAAKswB,QAAU,IAAIyI,GAAY/4B,KAAM8T,EAAQmS,KAAMjmB,KAAKg5B,UACxD,MACF,IAAK,WACHh5B,KAAKswB,QAAU,IAAIiJ,GAAgBv5B,KAAM8T,EAAQmS,MAOvD,EAEI4T,GAAqB,CAAE5K,aAAc,CAAEhV,cAAc,IAEzDwf,GAAUj6B,UAAU0c,MAAQ,SAAgBvX,EAAK4gB,EAAS3D,GACxD,OAAO5hB,KAAK25B,QAAQzd,MAAMvX,EAAK4gB,EAAS3D,EAC1C,EAEAiY,GAAmB5K,aAAalpB,IAAM,WACpC,OAAO/F,KAAKswB,SAAWtwB,KAAKswB,QAAQ/K,OACtC,EAEAkU,GAAUj6B,UAAUkmB,KAAO,SAAehX,GACtC,IAAIwc,EAAWlrB,KA0BjB,GAjBAA,KAAK05B,KAAKl5B,KAAKkO,GAIfA,EAAIorB,MAAM,kBAAkB,WAE1B,IAAIpa,EAAQwL,EAASwO,KAAKxjB,QAAQxH,GAC9BgR,GAAS,GAAKwL,EAASwO,KAAKvjB,OAAOuJ,EAAO,GAG1CwL,EAASxc,MAAQA,IAAOwc,EAASxc,IAAMwc,EAASwO,KAAK,IAAM,MAE1DxO,EAASxc,KAAOwc,EAASoF,QAAQyH,UACxC,KAII/3B,KAAK0O,IAAT,CAIA1O,KAAK0O,IAAMA,EAEX,IAAI4hB,EAAUtwB,KAAKswB,QAEnB,GAAIA,aAAmB2H,IAAgB3H,aAAmByI,GAAa,CACrE,IASIjB,EAAiB,SAAUiC,GAC7BzJ,EAAQwH,iBAVgB,SAAUiC,GAClC,IAAIjoB,EAAOwe,EAAQ/K,QACf6S,EAAelN,EAASpX,QAAQsd,eACf6B,IAAqBmF,GAEpB,aAAc2B,GAClC9I,GAAa/F,EAAU6O,EAAcjoB,GAAM,EAE/C,CAGEkoB,CAAoBD,EACtB,EACAzJ,EAAQqF,aACNrF,EAAQoI,qBACRZ,EACAA,EAEJ,CAEAxH,EAAQkF,QAAO,SAAUzT,GACvBmJ,EAASwO,KAAKvoB,SAAQ,SAAUzC,GAC9BA,EAAIurB,OAASlY,CACf,GACF,GA/BA,CAgCF,EAEA0X,GAAUj6B,UAAU06B,WAAa,SAAqBr6B,GACpD,OAAOs6B,GAAan6B,KAAK62B,YAAah3B,EACxC,EAEA45B,GAAUj6B,UAAU46B,cAAgB,SAAwBv6B,GAC1D,OAAOs6B,GAAan6B,KAAK63B,aAAch4B,EACzC,EAEA45B,GAAUj6B,UAAU66B,UAAY,SAAoBx6B,GAClD,OAAOs6B,GAAan6B,KAAKk2B,WAAYr2B,EACvC,EAEA45B,GAAUj6B,UAAUi2B,QAAU,SAAkBxB,EAAIyB,GAClD11B,KAAKswB,QAAQmF,QAAQxB,EAAIyB,EAC3B,EAEA+D,GAAUj6B,UAAU+U,QAAU,SAAkBmhB,GAC9C11B,KAAKswB,QAAQ/b,QAAQmhB,EACvB,EAEA+D,GAAUj6B,UAAUgB,KAAO,SAAe+J,EAAUqrB,EAAYC,GAC5D,IAAI3K,EAAWlrB,KAGjB,IAAK41B,IAAeC,GAA8B,oBAAZtvB,QACpC,OAAO,IAAIA,SAAQ,SAAUD,EAAS2J,GACpCib,EAASoF,QAAQ9vB,KAAK+J,EAAUjE,EAAS2J,EAC3C,IAEAjQ,KAAKswB,QAAQ9vB,KAAK+J,EAAUqrB,EAAYC,EAE5C,EAEA4D,GAAUj6B,UAAUuM,QAAU,SAAkBxB,EAAUqrB,EAAYC,GAClE,IAAI3K,EAAWlrB,KAGjB,IAAK41B,IAAeC,GAA8B,oBAAZtvB,QACpC,OAAO,IAAIA,SAAQ,SAAUD,EAAS2J,GACpCib,EAASoF,QAAQvkB,QAAQxB,EAAUjE,EAAS2J,EAC9C,IAEAjQ,KAAKswB,QAAQvkB,QAAQxB,EAAUqrB,EAAYC,EAE/C,EAEA4D,GAAUj6B,UAAU+4B,GAAK,SAAaC,GACpCx4B,KAAKswB,QAAQiI,GAAGC,EAClB,EAEAiB,GAAUj6B,UAAU86B,KAAO,WACzBt6B,KAAKu4B,IAAI,EACX,EAEAkB,GAAUj6B,UAAU+6B,QAAU,WAC5Bv6B,KAAKu4B,GAAG,EACV,EAEAkB,GAAUj6B,UAAUg7B,qBAAuB,SAA+B/P,GACxE,IAAI1I,EAAQ0I,EACRA,EAAGrI,QACDqI,EACAzqB,KAAKsG,QAAQmkB,GAAI1I,MACnB/hB,KAAKivB,aACT,OAAKlN,EAGE,GAAG1gB,OAAOoB,MACf,GACAsf,EAAMK,QAAQnQ,KAAI,SAAUiW,GAC1B,OAAO3oB,OAAO6G,KAAK8hB,EAAEzM,YAAYxJ,KAAI,SAAUpF,GAC7C,OAAOqb,EAAEzM,WAAW5O,EACtB,GACF,KARO,EAUX,EAEA4sB,GAAUj6B,UAAU8G,QAAU,SAC5BmkB,EACAlF,EACAW,GAGA,IAAI3b,EAAWmf,GAAkBe,EADjClF,EAAUA,GAAWvlB,KAAKswB,QAAQ/K,QACYW,EAAQlmB,MAClD+hB,EAAQ/hB,KAAKkc,MAAM3R,EAAUgb,GAC7BrD,EAAWH,EAAMH,gBAAkBG,EAAMG,SAEzC7X,EA4CN,SAAqB4b,EAAM/D,EAAU0X,GACnC,IAAI/mB,EAAgB,SAAT+mB,EAAkB,IAAM1X,EAAWA,EAC9C,OAAO+D,EAAOQ,GAAUR,EAAO,IAAMpT,GAAQA,CAC/C,CA/Ca4nB,CADAz6B,KAAKswB,QAAQrK,KACI/D,EAAUliB,KAAK45B,MAC3C,MAAO,CACLrvB,SAAUA,EACVwX,MAAOA,EACP1X,KAAMA,EAENqwB,aAAcnwB,EACd4sB,SAAUpV,EAEd,EAEA0X,GAAUj6B,UAAUowB,UAAY,WAC9B,OAAO5vB,KAAK25B,QAAQ/J,WACtB,EAEA6J,GAAUj6B,UAAUkwB,SAAW,SAAmBC,EAAe5N,GAC/D/hB,KAAK25B,QAAQjK,SAASC,EAAe5N,GACjC/hB,KAAKswB,QAAQ/K,UAAYhD,IAC3BviB,KAAKswB,QAAQqF,aAAa31B,KAAKswB,QAAQoI,qBAE3C,EAEAe,GAAUj6B,UAAUqwB,UAAY,SAAoBnC,GAIlD1tB,KAAK25B,QAAQ9J,UAAUnC,GACnB1tB,KAAKswB,QAAQ/K,UAAYhD,IAC3BviB,KAAKswB,QAAQqF,aAAa31B,KAAKswB,QAAQoI,qBAE3C,EAEAn5B,OAAOo7B,iBAAkBlB,GAAUj6B,UAAWq6B,IAE9C,IAAIe,GAAcnB,GAElB,SAASU,GAAcU,EAAMh7B,GAE3B,OADAg7B,EAAKr6B,KAAKX,GACH,WACL,IAAI2B,EAAIq5B,EAAK3kB,QAAQrW,GACjB2B,GAAK,GAAKq5B,EAAK1kB,OAAO3U,EAAG,EAC/B,CACF,CAQAi4B,GAAUqB,QA70DV,SAAS,EAASC,GAChB,IAAI,EAAQC,WAAazQ,KAASwQ,EAAlC,CACA,EAAQC,WAAY,EAEpBzQ,GAAOwQ,EAEP,IAAIE,EAAQ,SAAUhJ,GAAK,YAAazvB,IAANyvB,CAAiB,EAE/CiJ,EAAmB,SAAU5V,EAAI6V,GACnC,IAAI35B,EAAI8jB,EAAG8V,SAASC,aAChBJ,EAAMz5B,IAAMy5B,EAAMz5B,EAAIA,EAAEsD,OAASm2B,EAAMz5B,EAAIA,EAAE6jB,wBAC/C7jB,EAAE8jB,EAAI6V,EAEV,EAEAJ,EAAIO,MAAM,CACRC,aAAc,WACRN,EAAMj7B,KAAKo7B,SAASvZ,SACtB7hB,KAAKwkB,YAAcxkB,KACnBA,KAAKw7B,QAAUx7B,KAAKo7B,SAASvZ,OAC7B7hB,KAAKw7B,QAAQ9V,KAAK1lB,MAClB+6B,EAAI13B,KAAKo4B,eAAez7B,KAAM,SAAUA,KAAKw7B,QAAQlL,QAAQ/K,UAE7DvlB,KAAKwkB,YAAexkB,KAAK8kB,SAAW9kB,KAAK8kB,QAAQN,aAAgBxkB,KAEnEk7B,EAAiBl7B,KAAMA,KACzB,EACA07B,UAAW,WACTR,EAAiBl7B,KACnB,IAGFT,OAAOua,eAAeihB,EAAIv7B,UAAW,UAAW,CAC9CuG,IAAK,WAAkB,OAAO/F,KAAKwkB,YAAYgX,OAAQ,IAGzDj8B,OAAOua,eAAeihB,EAAIv7B,UAAW,SAAU,CAC7CuG,IAAK,WAAkB,OAAO/F,KAAKwkB,YAAYyV,MAAO,IAGxDc,EAAI7V,UAAU,aAAczB,IAC5BsX,EAAI7V,UAAU,aAAcsF,IAE5B,IAAImR,EAASZ,EAAInV,OAAOgW,sBAExBD,EAAOE,iBAAmBF,EAAOG,iBAAmBH,EAAOI,kBAAoBJ,EAAOK,OA5CtC,CA6ClD,EAgyDAvC,GAAUwC,QAAU,QACpBxC,GAAU5F,oBAAsBA,GAChC4F,GAAUtG,sBAAwBA,GAClCsG,GAAUyC,eAAiB3Z,GAEvBiL,IAAarqB,OAAO43B,KACtB53B,OAAO43B,IAAIoB,IAAI1C,ICvjGjBsB,EAAAA,QAAIoB,IAAIC,IAER,MAAMC,GAAeD,GAAO58B,UAAUgB,KACtC47B,GAAO58B,UAAUgB,KAAO,SAAciqB,EAAImL,EAAYC,GAClD,OAAID,GAAcC,EACPwG,GAAan7B,KAAKlB,KAAMyqB,EAAImL,EAAYC,GAC5CwG,GAAan7B,KAAKlB,KAAMyqB,GAAI3R,OAAMiI,GAAOA,GACpD,EACA,MAwBA,GAxBe,IAAIqb,GAAO,CACtBxC,KAAM,UAGN3T,MAAMqW,EAAAA,GAAAA,aAAY,eAClBhR,gBAAiB,SACjBoC,OAAQ,CACJ,CACI7a,KAAM,IAEN8b,SAAU,CAAE3tB,KAAM,aAEtB,CACI6R,KAAM,kBACN7R,KAAM,WACN2iB,OAAO,IAIfpC,cAAAA,CAAe/C,GACX,MAAM3S,EAASuU,GAAY7a,UAAUiZ,GAAOzS,QAAQ,SAAU,KAC9D,OAAOF,EAAU,IAAMA,EAAU,EACrC,2bCxDJ,2ECkBA,UAXgB,QACd,KACA,KACA,MACA,EACA,KACA,KACA,MAI8B,4ECShC,MAAM0wB,IAAaC,EAAAA,GAAAA,GAAU,QAAS,cAAe,CAAC,GACzCC,GAAqB,WAC9B,MAAMpvB,EAAQkN,GAAY,aAAc,CACpC3N,MAAOA,KAAA,CACH2vB,gBAEJ7qB,QAAS,CACLgrB,UAAY9vB,GAAW+vB,GAAS/vB,EAAM2vB,WAAWI,IAAS,CAAC,GAE/DvtB,QAAS,CAILwtB,QAAAA,CAASD,EAAM9vB,EAAKxH,GACXrF,KAAKu8B,WAAWI,IACjB5B,EAAAA,QAAAA,IAAQ/6B,KAAKu8B,WAAYI,EAAM,CAAC,GAEpC5B,EAAAA,QAAAA,IAAQ/6B,KAAKu8B,WAAWI,GAAO9vB,EAAKxH,EACxC,EAIA,YAAMw3B,CAAOF,EAAM9vB,EAAKxH,GACpBy3B,GAAAA,EAAMC,KAAIT,EAAAA,GAAAA,aAAa,4BAA2BK,KAAQ9vB,KAAQ,CAC9DxH,WAEJvD,EAAAA,GAAAA,IAAK,2BAA4B,CAAE66B,OAAM9vB,MAAKxH,SAClD,EAMA23B,YAAAA,GAA+C,IAAlCnwB,EAAGvK,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,WAAYq6B,EAAIr6B,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,QAElCtC,KAAK68B,OAAOF,EAAM,eAAgB9vB,GAClC7M,KAAK68B,OAAOF,EAAM,oBAAqB,MAC3C,EAIAM,sBAAAA,GAAuC,IAAhBN,EAAIr6B,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,QAC1B,MACM46B,EAA4C,SADnCl9B,KAAK08B,UAAUC,IAAS,CAAEQ,kBAAmB,QAChCA,kBAA8B,OAAS,MAEnEn9B,KAAK68B,OAAOF,EAAM,oBAAqBO,EAC3C,KAGFE,EAAkB/vB,KAAM/K,WAQ9B,OANK86B,EAAgBC,gBACjBC,EAAAA,GAAAA,IAAU,4BAA4B,SAAAC,GAAgC,IAAtB,KAAEZ,EAAI,IAAE9vB,EAAG,MAAExH,GAAOk4B,EAChEH,EAAgBR,SAASD,EAAM9vB,EAAKxH,EACxC,IACA+3B,EAAgBC,cAAe,GAE5BD,CACX,EC9DA,IAAeI,WAAAA,MACbC,OAAO,SACPC,aACAC,QCHF,SAASC,GAAUC,EAAO/nB,EAAUhC,GAClC,IAcIgqB,EAdAP,EAAOzpB,GAAW,CAAC,EACnBiqB,EAAkBR,EAAKS,WACvBA,OAAiC,IAApBD,GAAqCA,EAClDE,EAAiBV,EAAKW,UACtBA,OAA+B,IAAnBD,GAAoCA,EAChDE,EAAoBZ,EAAKa,aACzBA,OAAqC,IAAtBD,OAA+B37B,EAAY27B,EAS1D7K,GAAY,EAEZ+K,EAAW,EAEf,SAASC,IACHR,GACFS,aAAaT,EAEjB,CAkBA,SAASU,IACP,IAAK,IAAIC,EAAOn8B,UAAUZ,OAAQg9B,EAAa,IAAI98B,MAAM68B,GAAOxO,EAAO,EAAGA,EAAOwO,EAAMxO,IACrFyO,EAAWzO,GAAQ3tB,UAAU2tB,GAG/B,IAAIhoB,EAAOjI,KACP2+B,EAAU/4B,KAAKJ,MAAQ64B,EAO3B,SAAS7gB,IACP6gB,EAAWz4B,KAAKJ,MAChBsQ,EAASrT,MAAMwF,EAAMy2B,EACvB,CAOA,SAASE,IACPd,OAAYt7B,CACd,CAjBI8wB,IAmBC4K,IAAaE,GAAiBN,GAMjCtgB,IAGF8gB,SAEqB97B,IAAjB47B,GAA8BO,EAAUd,EACtCK,GAMFG,EAAWz4B,KAAKJ,MAEXw4B,IACHF,EAAYpzB,WAAW0zB,EAAeQ,EAAQphB,EAAMqgB,KAOtDrgB,KAEsB,IAAfwgB,IAYTF,EAAYpzB,WAAW0zB,EAAeQ,EAAQphB,OAAuBhb,IAAjB47B,EAA6BP,EAAQc,EAAUd,IAEvG,CAIA,OAFAW,EAAQK,OAxFR,SAAgB/qB,GACd,IACIgrB,GADQhrB,GAAW,CAAC,GACOirB,aAC3BA,OAAsC,IAAvBD,GAAwCA,EAE3DR,IACAhL,GAAayL,CACf,EAmFOP,CACT,iBCzHA,MCpB2G,GDoB3G,CACEx9B,KAAM,eACNg+B,MAAO,CAAC,SACRrb,MAAO,CACLvY,MAAO,CACLN,KAAME,QAERi0B,UAAW,CACTn0B,KAAME,OACN4Y,QAAS,gBAEXnR,KAAM,CACJ3H,KAAMgT,OACN8F,QAAS,MEff,IAXgB,QACd,ICRW,WAAkB,IAAIsb,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,sCAAsCxZ,MAAM,CAAC,eAAeoZ,EAAI9zB,MAAM,aAAa8zB,EAAI9zB,MAAM,KAAO,OAAOzI,GAAG,CAAC,MAAQ,SAAS48B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BxZ,MAAM,CAAC,KAAOoZ,EAAID,UAAU,MAAQC,EAAIzsB,KAAK,OAASysB,EAAIzsB,KAAK,QAAU,cAAc,CAAC0sB,EAAG,OAAO,CAACrZ,MAAM,CAAC,EAAI,8HAA8H,CAAEoZ,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAIxuB,GAAGwuB,EAAI9zB,UAAU8zB,EAAIzlB,UAC/nB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,wBEkBhC,MCpC2L,GDoC3L,CACAzY,KAAA,kBAEAya,WAAA,CACAkkB,SAAA,GACAC,oBAAA,KACAC,cAAAA,GAAAA,GAGA/6B,KAAAA,KACA,CACAg7B,qBAAA,EACAC,cAAAvD,EAAAA,GAAAA,GAAA,+BAIAthB,SAAA,CACA8kB,iBAAAA,GACA,MAAAC,GAAAC,EAAAA,GAAAA,IAAA,KAAAH,cAAAI,MAAA,MACAC,GAAAF,EAAAA,GAAAA,IAAA,KAAAH,cAAAM,OAAA,MAGA,YAAAN,cAAAM,MAAA,EACA,KAAAC,EAAA,gCAAAL,kBAGA,KAAAK,EAAA,kCACAH,KAAAF,EACAI,MAAAD,GAEA,EACAG,mBAAAA,GACA,YAAAR,aAAA/Z,SAIA,KAAAsa,EAAA,gCAAAP,cAHA,EAIA,GAGAS,WAAAA,GAKAC,YAAA,KAAAC,2BAAA,MAEApD,EAAAA,GAAAA,IAAA,0BAAAoD,6BACApD,EAAAA,GAAAA,IAAA,0BAAAoD,6BACApD,EAAAA,GAAAA,IAAA,wBAAAoD,6BACApD,EAAAA,GAAAA,IAAA,0BAAAoD,2BACA,EAEAC,OAAAA,GAEA,KAAAZ,cAAAa,MAAA,GACA,KAAAC,wBAEA,EAEAC,QAAA,CAEAC,4BLgEMC,GADkB,CAAC,EACCC,QAGjBrD,GKnET,cAAAz9B,GACA,KAAA+gC,mBAAA/gC,EACA,GLiEmC,CAC/Bi+B,cAA0B,UAHG,IAAjB4C,IAAkCA,OK7DlDN,2BAAA9C,GAAA,cAAAz9B,GACA,KAAA+gC,mBAAA/gC,EACA,IAQA,wBAAA+gC,GAAA,IAAA/gC,EAAAmC,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,QACA,SAAAw9B,oBAAA,CAIA,KAAAA,qBAAA,EACA,IACA,MAAAh3B,QAAAg0B,GAAAA,EAAA/2B,KAAAu2B,EAAAA,GAAAA,aAAA,6BACA,IAAAxzB,GAAAhE,MAAAA,KACA,UAAAgH,MAAA,yBAIA,KAAAi0B,cAAAa,KAAA,GAAA93B,EAAAhE,KAAAA,MAAA87B,MAAA,GACA,KAAAC,yBAGA,KAAAd,aAAAj3B,EAAAhE,KAAAA,IACA,OAAAmE,GACAk4B,GAAAl4B,MAAA,mCAAAA,UAEA9I,IACAihC,EAAAA,GAAAA,IAAAd,EAAA,2CAEA,SACA,KAAAR,qBAAA,CACA,CAvBA,CAwBA,EAEAe,sBAAAA,IACAO,EAAAA,GAAAA,IAAA,KAAAd,EAAA,6EACA,EAEAA,EAAAe,GAAAA,KLeA,IAEML,uJOvJFltB,GAAU,CAAC,EAEfA,GAAQwtB,kBAAoB,KAC5BxtB,GAAQytB,cAAgB,KAElBztB,GAAQ0tB,OAAS,UAAc,KAAM,QAE3C1tB,GAAQ2tB,OAAS,KACjB3tB,GAAQ4tB,mBAAqB,KAEhB,KAAI,KAAS5tB,IAKJ,MAAW,KAAQ6tB,QAAS,KAAQA,OCP1D,UAXgB,QACd,ICTW,WAAkB,IAAIzC,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAG,OAAQD,EAAIa,aAAcZ,EAAG,sBAAsB,CAACG,YAAY,uCAAuCtT,MAAM,CAAE,sDAAuDkT,EAAIa,aAAaM,OAAS,GAAGva,MAAM,CAAC,aAAaoZ,EAAIoB,EAAE,QAAS,wBAAwB,QAAUpB,EAAIY,oBAAoB,KAAOZ,EAAIc,kBAAkB,MAAQd,EAAIqB,oBAAoB,0CAA0C,IAAI59B,GAAG,CAAC,MAAQ,SAAS48B,GAAyD,OAAjDA,EAAOqC,kBAAkBrC,EAAOjS,iBAAwB4R,EAAI6B,2BAA2Bt+B,MAAM,KAAMH,UAAU,IAAI,CAAC68B,EAAG,WAAW,CAACrZ,MAAM,CAAC,KAAO,OAAO,KAAO,IAAI+b,KAAK,SAAS3C,EAAIQ,GAAG,KAAMR,EAAIa,aAAaM,OAAS,EAAGlB,EAAG,gBAAgB,CAACrZ,MAAM,CAAC,KAAO,QAAQ,MAAQoZ,EAAIa,aAAa/Z,SAAW,GAAG,MAAQuQ,KAAKuL,IAAI5C,EAAIa,aAAa/Z,SAAU,MAAM6b,KAAK,UAAU3C,EAAIzlB,MAAM,GAAGylB,EAAIzlB,IACh2B,GACsB,IDUpB,EACA,KACA,WACA,MAI8B,QEnBhC,sCCoBA,MCpB4G,GDoB5G,CACEzY,KAAM,gBACNg+B,MAAO,CAAC,SACRrb,MAAO,CACLvY,MAAO,CACLN,KAAME,QAERi0B,UAAW,CACTn0B,KAAME,OACN4Y,QAAS,gBAEXnR,KAAM,CACJ3H,KAAMgT,OACN8F,QAAS,MEff,IAXgB,QACd,ICRW,WAAkB,IAAIsb,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,sCAAsCxZ,MAAM,CAAC,eAAeoZ,EAAI9zB,MAAM,aAAa8zB,EAAI9zB,MAAM,KAAO,OAAOzI,GAAG,CAAC,MAAQ,SAAS48B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BxZ,MAAM,CAAC,KAAOoZ,EAAID,UAAU,MAAQC,EAAIzsB,KAAK,OAASysB,EAAIzsB,KAAK,QAAU,cAAc,CAAC0sB,EAAG,OAAO,CAACrZ,MAAM,CAAC,EAAI,oMAAoM,CAAEoZ,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAIxuB,GAAGwuB,EAAI9zB,UAAU8zB,EAAIzlB,UACrsB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,wBEQhC,MC1BmL,GD0BnL,CACAzY,KAAA,UACA2iB,MAAA,CACA0O,GAAA,CACAvnB,KAAAi3B,SACArX,UAAA,IAGAiW,OAAAA,GACA,KAAAqB,IAAAC,YAAA,KAAA5P,KACA,GElBA,IAXgB,QACd,ICRW,WAA+C,OAAO8M,EAA5Bn/B,KAAYo/B,MAAMD,IAAa,MACtE,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,QEZ1B+C,IAAa1F,EAAAA,GAAAA,GAAU,QAAS,SAAU,CAC5C2F,aAAa,EACbC,qBAAqB,EACrBC,sBAAsB,EACtBC,WAAW,IAEFC,GAAqB,WAC9B,MAsBMC,EAtBQjoB,GAAY,aAAc,CACpC3N,MAAOA,KAAA,CACHs1B,gBAEJ9yB,QAAS,CAILwtB,QAAAA,CAAS/vB,EAAKxH,GACV01B,EAAAA,QAAAA,IAAQ/6B,KAAKkiC,WAAYr1B,EAAKxH,EAClC,EAIA,YAAMw3B,CAAOhwB,EAAKxH,SACRy3B,GAAAA,EAAMC,KAAIT,EAAAA,GAAAA,aAAY,6BAA+BzvB,GAAM,CAC7DxH,WAEJvD,EAAAA,GAAAA,IAAK,uBAAwB,CAAE+K,MAAKxH,SACxC,IAGgBgI,IAAM/K,WAQ9B,OANKkgC,EAAgBnF,gBACjBC,EAAAA,GAAAA,IAAU,wBAAwB,SAAAC,GAA0B,IAAhB,IAAE1wB,EAAG,MAAExH,GAAOk4B,EACtDiF,EAAgB5F,SAAS/vB,EAAKxH,EAClC,IACAm9B,EAAgBnF,cAAe,GAE5BmF,CACX,EC5CoL,GCyGpL,CACAxhC,KAAA,WACAya,WAAA,CACAgnB,UAAA,GACAC,oBAAA,KACAC,qBAAA,KACAC,sBAAA,KACAC,aAAA,KACAC,QAAAA,IAGAnf,MAAA,CACAjb,KAAA,CACAoC,KAAAwU,QACAsE,SAAA,IAIAvM,MAAAA,KAEA,CACAmrB,gBAFAD,OAMAz9B,KAAAA,KACA,CAEAV,SAAAjB,OAAA4/B,KAAAC,OAAAC,UAAA7+B,UAAA,GAGA8+B,WAAAC,EAAAA,GAAAA,mBAAA,aAAArmB,oBAAAsmB,EAAAA,GAAAA,OAAAC,MACAC,WAAA,iEACAC,gBAAAjH,EAAAA,GAAAA,aAAA,sDACAkH,iBAAA,EACAC,gBAAAjH,EAAAA,GAAAA,GAAA,4DAIAthB,SAAA,CACAgnB,UAAAA,GACA,YAAAM,gBAAAN,UACA,GAGA1B,WAAAA,GAEA,KAAAp8B,SAAA+M,SAAAuyB,GAAAA,EAAAh7B,QACA,EAEAi7B,aAAAA,GAEA,KAAAv/B,SAAA+M,SAAAuyB,GAAAA,EAAAE,SACA,EAEA9C,QAAA,CACA+C,OAAAA,GACA,KAAArE,MAAA,QACA,EAEAsE,SAAAA,CAAAj3B,EAAAxH,GACA,KAAAm9B,gBAAA3F,OAAAhwB,EAAAxH,EACA,EAEA,iBAAA0+B,GACAt6B,SAAA8oB,cAAA,0BAAAyR,SAEA9gC,UAAAqM,iBAMArM,UAAAqM,UAAAC,UAAA,KAAA0zB,WACA,KAAAM,iBAAA,GACAS,EAAAA,GAAAA,IAAA3D,EAAA,2CACA51B,YAAA,KACA,KAAA84B,iBAAA,IACA,OATApC,EAAAA,GAAAA,IAAAd,EAAA,sCAUA,EAEAA,EAAAe,GAAAA,qBC/KI,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,IAAIzC,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,sBAAsB,CAACrZ,MAAM,CAAC,KAAOoZ,EAAIx2B,KAAK,mBAAkB,EAAK,KAAOw2B,EAAIoB,EAAE,QAAS,mBAAmB39B,GAAG,CAAC,cAAcu8B,EAAI2E,UAAU,CAAC1E,EAAG,uBAAuB,CAACrZ,MAAM,CAAC,GAAK,WAAW,KAAOoZ,EAAIoB,EAAE,QAAS,oBAAoB,CAACnB,EAAG,wBAAwB,CAACrZ,MAAM,CAAC,QAAUoZ,EAAIgD,WAAWG,sBAAsB1/B,GAAG,CAAC,iBAAiB,SAAS48B,GAAQ,OAAOL,EAAI4E,UAAU,uBAAwBvE,EAAO,IAAI,CAACL,EAAIQ,GAAG,WAAWR,EAAIxuB,GAAGwuB,EAAIoB,EAAE,QAAS,yBAAyB,YAAYpB,EAAIQ,GAAG,KAAKP,EAAG,wBAAwB,CAACrZ,MAAM,CAAC,QAAUoZ,EAAIgD,WAAWC,aAAax/B,GAAG,CAAC,iBAAiB,SAAS48B,GAAQ,OAAOL,EAAI4E,UAAU,cAAevE,EAAO,IAAI,CAACL,EAAIQ,GAAG,WAAWR,EAAIxuB,GAAGwuB,EAAIoB,EAAE,QAAS,sBAAsB,YAAYpB,EAAIQ,GAAG,KAAKP,EAAG,wBAAwB,CAACrZ,MAAM,CAAC,QAAUoZ,EAAIgD,WAAWE,qBAAqBz/B,GAAG,CAAC,iBAAiB,SAAS48B,GAAQ,OAAOL,EAAI4E,UAAU,sBAAuBvE,EAAO,IAAI,CAACL,EAAIQ,GAAG,WAAWR,EAAIxuB,GAAGwuB,EAAIoB,EAAE,QAAS,wBAAwB,YAAYpB,EAAIQ,GAAG,KAAMR,EAAIuE,eAAgBtE,EAAG,wBAAwB,CAACrZ,MAAM,CAAC,QAAUoZ,EAAIgD,WAAWI,WAAW3/B,GAAG,CAAC,iBAAiB,SAAS48B,GAAQ,OAAOL,EAAI4E,UAAU,YAAavE,EAAO,IAAI,CAACL,EAAIQ,GAAG,WAAWR,EAAIxuB,GAAGwuB,EAAIoB,EAAE,QAAS,yBAAyB,YAAYpB,EAAIzlB,MAAM,GAAGylB,EAAIQ,GAAG,KAA8B,IAAxBR,EAAI96B,SAAS1C,OAAcy9B,EAAG,uBAAuB,CAACrZ,MAAM,CAAC,GAAK,gBAAgB,KAAOoZ,EAAIoB,EAAE,QAAS,yBAAyB,CAACpB,EAAIgF,GAAIhF,EAAI96B,UAAU,SAASs/B,GAAS,MAAO,CAACvE,EAAG,UAAU,CAACtyB,IAAI62B,EAAQ1iC,KAAK8kB,MAAM,CAAC,GAAK4d,EAAQrR,MAAM,KAAI,GAAG6M,EAAIzlB,KAAKylB,EAAIQ,GAAG,KAAKP,EAAG,uBAAuB,CAACrZ,MAAM,CAAC,GAAK,SAAS,KAAOoZ,EAAIoB,EAAE,QAAS,YAAY,CAACnB,EAAG,eAAe,CAACrZ,MAAM,CAAC,GAAK,mBAAmB,MAAQoZ,EAAIoB,EAAE,QAAS,cAAc,wBAAuB,EAAK,QAAUpB,EAAIsE,gBAAgB,wBAAwBtE,EAAIoB,EAAE,QAAS,qBAAqB,MAAQpB,EAAIgE,UAAU,SAAW,WAAW,KAAO,OAAOvgC,GAAG,CAAC,MAAQ,SAAS48B,GAAQ,OAAOA,EAAOv7B,OAAOggC,QAAQ,EAAE,wBAAwB9E,EAAI6E,aAAaI,YAAYjF,EAAIkF,GAAG,CAAC,CAACv3B,IAAI,uBAAuBhN,GAAG,WAAW,MAAO,CAACs/B,EAAG,YAAY,CAACrZ,MAAM,CAAC,KAAO,MAAM,EAAE7e,OAAM,OAAUi4B,EAAIQ,GAAG,KAAKP,EAAG,KAAK,CAACA,EAAG,IAAI,CAACG,YAAY,eAAexZ,MAAM,CAAC,KAAOoZ,EAAIoE,WAAW,OAAS,SAAS,IAAM,wBAAwB,CAACpE,EAAIQ,GAAG,aAAaR,EAAIxuB,GAAGwuB,EAAIoB,EAAE,QAAS,qDAAqD,kBAAkBpB,EAAIQ,GAAG,KAAKP,EAAG,MAAMD,EAAIQ,GAAG,KAAKP,EAAG,KAAK,CAACA,EAAG,IAAI,CAACG,YAAY,eAAexZ,MAAM,CAAC,KAAOoZ,EAAIqE,iBAAiB,CAACrE,EAAIQ,GAAG,aAAaR,EAAIxuB,GAAGwuB,EAAIoB,EAAE,QAAS,0FAA0F,mBAAmB,IAAI,EACppF,GACsB,IaUpB,EACA,KACA,WACA,MAI8B,QCnB0N,GCW1P,CACIt/B,KAAM,aACNya,WAAY,CACR4oB,IAAG,GACHC,gBAAe,GACfC,gBAAe,KACf3E,oBAAmB,KACnB4E,iBAAgB,KAChBC,cAAaA,IAEjBptB,MAAKA,KAEM,CACH+lB,gBAFoBX,OAK5B33B,KAAIA,KACO,CACH4/B,gBAAgB,IAGxBxpB,SAAU,CACNypB,aAAAA,GACI,OAAO,KAAKxgB,QAAQlC,QAAQ0a,MAAQ,OACxC,EACAiI,WAAAA,GACI,OAAO,KAAKC,MAAMC,MAAKnI,GAAQA,EAAKt4B,KAAO,KAAKsgC,eACpD,EACAE,KAAAA,GACI,OAAO,KAAKE,YAAYF,KAC5B,EACAG,WAAAA,GACI,OAAO,KAAKH,MAEP7yB,QAAO2qB,IAASA,EAAKna,SAErB5E,MAAK,CAAC1T,EAAG2T,IACH3T,EAAE+6B,MAAQpnB,EAAEonB,OAE3B,EACAC,UAAAA,GACI,OAAO,KAAKL,MAEP7yB,QAAO2qB,KAAUA,EAAKna,SAEtB9U,QAAO,CAACmtB,EAAM8B,KACf9B,EAAK8B,EAAKna,QAAU,IAAKqY,EAAK8B,EAAKna,SAAW,GAAKma,GAEnD9B,EAAK8B,EAAKna,QAAQ5E,MAAK,CAAC1T,EAAG2T,IAChB3T,EAAE+6B,MAAQpnB,EAAEonB,QAEhBpK,IACR,CAAC,EACR,GAEJ/lB,MAAO,CACH8vB,WAAAA,CAAYjI,EAAMwI,GACVxI,EAAKt4B,KAAO8gC,GAAS9gC,KACrB,KAAK0gC,YAAYK,UAAUzI,GAC3BwE,GAAOkE,MAAM,qBAAsB,CAAEhhC,GAAIs4B,EAAKt4B,GAAIs4B,SAClD,KAAK2I,SAAS3I,GAEtB,GAEJ6D,WAAAA,GACQ,KAAKoE,cACLzD,GAAOkE,MAAM,6CAA8C,CAAE1I,KAAM,KAAKiI,cACxE,KAAKU,SAAS,KAAKV,aAE3B,EACA9D,QAAS,CACLwE,QAAAA,CAAS3I,GAELx5B,QAAQ4/B,KAAKC,OAAOuC,SAAS3B,UAC7B,KAAKmB,YAAYK,UAAUzI,GCvDhC,SAAwB6I,GAC9B,MAAMC,EAAYh8B,SAAS6oB,eAAe,wBACtCmT,IACHA,EAAUC,YAAcF,EAE1B,CDmDYG,CAAehJ,EAAK37B,OACpBc,EAAAA,GAAAA,IAAK,2BAA4B66B,EACrC,EAMAiJ,cAAAA,CAAejJ,GAEX,MAAMkJ,EAAa,KAAKA,WAAWlJ,GAEnCA,EAAKmJ,UAAYD,EACjB,KAAKzI,gBAAgBP,OAAOF,EAAKt4B,GAAI,YAAawhC,EACtD,EAMAA,UAAAA,CAAWlJ,GACP,MAAoE,kBAAtD,KAAKS,gBAAgBV,UAAUC,EAAKt4B,KAAKyhC,UACI,IAArD,KAAK1I,gBAAgBV,UAAUC,EAAKt4B,IAAIyhC,UACtB,IAAlBnJ,EAAKmJ,QACf,EAKAC,oBAAAA,CAAqBpJ,GACjB,GAAIA,EAAK1a,OAAQ,CACb,MAAM,IAAE+jB,EAAG,OAAEC,GAAWtJ,EAAK1a,OAC7B,MAAO,CAAEjhB,KAAM,WAAYihB,OAAQ0a,EAAK1a,OAAQzD,MAAO,CAAEwnB,MAAKC,UAClE,CACA,MAAO,CAAEjlC,KAAM,WAAYihB,OAAQ,CAAE0a,KAAMA,EAAKt4B,IACpD,EAIA6hC,YAAAA,GACI,KAAKxB,gBAAiB,CAC1B,EAIAyB,eAAAA,GACI,KAAKzB,gBAAiB,CAC1B,EACApE,EAAGe,GAAAA,qBE3HP,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,IHTW,WAAkB,IAAIzC,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,kBAAkB,CAACrZ,MAAM,CAAC,2BAA2B,GAAG,aAAaoZ,EAAIoB,EAAE,QAAS,UAAU6D,YAAYjF,EAAIkF,GAAG,CAAC,CAACv3B,IAAI,OAAOhN,GAAG,WAAW,OAAOq/B,EAAIgF,GAAIhF,EAAI8F,aAAa,SAASrI,GAAM,OAAOwC,EAAG,sBAAsB,CAACtyB,IAAI8vB,EAAKt4B,GAAGyhB,MAAM,CAAC,kBAAiB,EAAK,gCAAgC6W,EAAKt4B,GAAG,OAAQ,EAAK,KAAOs4B,EAAKyJ,UAAU,KAAOzJ,EAAK37B,KAAK,KAAOk+B,EAAI2G,WAAWlJ,GAAM,OAASA,EAAK0J,OAAO,GAAKnH,EAAI6G,qBAAqBpJ,IAAOh6B,GAAG,CAAC,cAAc,SAAS48B,GAAQ,OAAOL,EAAI0G,eAAejJ,EAAK,IAAI,CAAEA,EAAKztB,KAAMiwB,EAAG,mBAAmB,CAACrZ,MAAM,CAAC,KAAO,OAAO,IAAM6W,EAAKztB,MAAM2yB,KAAK,SAAS3C,EAAIzlB,KAAKylB,EAAIQ,GAAG,KAAKR,EAAIgF,GAAIhF,EAAIgG,WAAWvI,EAAKt4B,KAAK,SAASkpB,GAAO,OAAO4R,EAAG,sBAAsB,CAACtyB,IAAI0gB,EAAMlpB,GAAGyhB,MAAM,CAAC,gCAAgCyH,EAAMlpB,GAAG,OAAQ,EAAK,KAAOkpB,EAAM6Y,UAAU,KAAO7Y,EAAMvsB,KAAK,GAAKk+B,EAAI6G,qBAAqBxY,KAAS,CAAEA,EAAMre,KAAMiwB,EAAG,mBAAmB,CAACrZ,MAAM,CAAC,KAAO,OAAO,IAAMyH,EAAMre,MAAM2yB,KAAK,SAAS3C,EAAIzlB,MAAM,EAAE,KAAI,EAAE,GAAE,EAAExS,OAAM,GAAM,CAAC4F,IAAI,SAAShN,GAAG,WAAW,MAAO,CAACs/B,EAAG,KAAK,CAACG,YAAY,kCAAkC,CAACH,EAAG,mBAAmBD,EAAIQ,GAAG,KAAKP,EAAG,sBAAsB,CAACrZ,MAAM,CAAC,aAAaoZ,EAAIoB,EAAE,QAAS,+BAA+B,KAAOpB,EAAIoB,EAAE,QAAS,kBAAkB,2CAA2C,IAAI39B,GAAG,CAAC,MAAQ,SAAS48B,GAAyD,OAAjDA,EAAOjS,iBAAiBiS,EAAOqC,kBAAyB1C,EAAIgH,aAAazjC,MAAM,KAAMH,UAAU,IAAI,CAAC68B,EAAG,MAAM,CAACrZ,MAAM,CAAC,KAAO,OAAO,KAAO,IAAI+b,KAAK,UAAU,IAAI,GAAG,EAAE56B,OAAM,MAAS,CAACi4B,EAAIQ,GAAG,KAAKR,EAAIQ,GAAG,KAAKP,EAAG,gBAAgB,CAACrZ,MAAM,CAAC,KAAOoZ,EAAIwF,eAAe,oCAAoC,IAAI/hC,GAAG,CAAC,MAAQu8B,EAAIiH,oBAAoB,EACrrD,GACsB,IGUpB,EACA,KACA,WACA,MAI8B,QCnBhC,4BCUIG,GAAiB,SAAwBC,EAASC,GACpD,OAAID,EAAUC,GACJ,EAEND,EAAUC,EACL,EAEF,CACT,EAEIC,GAAiB,SAAwBC,EAASC,GACpD,IAAI96B,EAAS66B,EAAQE,cAAcD,GACnC,OAAO96B,EAASA,EAAS0qB,KAAKsQ,IAAIh7B,GAAU,CAC9C,EAEIi7B,GAAa,8FACbC,GAAqC,aACrCC,GAAiB,OACjBC,GAAkB,kDAClBC,GAAU,6GACVC,GAAkB,qBAElBC,GAAwB,eAExBC,GAAgB,SAAuBX,EAASC,GAClD,OAAID,EAAUC,GACJ,EAEND,EAAUC,EACL,EAEF,CACT,EAoFIW,GAAsB,SAA6BC,GACrD,OAAOA,EAAMx7B,QAAQi7B,GAAgB,KAAKj7B,QAAQg7B,GAAoC,GACxF,EAEIS,GAAc,SAAqBniC,GACrC,GAAqB,IAAjBA,EAAM3D,OAAc,CACtB,IAAI+lC,EAAe3pB,OAAOzY,GAC1B,IAAKyY,OAAOK,MAAMspB,GAChB,OAAOA,CAEX,CAEF,EAEIC,GAAwB,SAA+BH,EAAO7nB,EAAOioB,GACvE,GAAIV,GAAgBl9B,KAAKw9B,MAIlBJ,GAAgBp9B,KAAKw9B,IAAoB,IAAV7nB,GAAqC,MAAtBioB,EAAOjoB,EAAQ,IAChE,OAAO8nB,GAAYD,IAAU,CAInC,EAEIK,GAAiB,SAAwBL,EAAO7nB,EAAOioB,GACzD,MAAO,CACLF,aAAcC,GAAsBH,EAAO7nB,EAAOioB,GAClDE,iBAAkBP,GAAoBC,GAE1C,EAMIO,GAAkB,SAAyBziC,GAC7C,IAAI0iC,EALa,SAAsB1iC,GACvC,OAAOA,EAAM0G,QAAQ+6B,GAAY,UAAU/6B,QAAQ,MAAO,IAAIA,QAAQ,MAAO,IAAI2P,MAAM,KACzF,CAGmBssB,CAAa3iC,GAAO4M,IAAI21B,IACzC,OAAOG,CACT,EAEIE,GAAa,SAAoB5iC,GACnC,MAAwB,mBAAVA,CAChB,EAEI,GAAQ,SAAeA,GACzB,OAAOyY,OAAOK,MAAM9Y,IAAUA,aAAiByY,QAAUA,OAAOK,MAAM9Y,EAAM6iC,UAC9E,EAEIC,GAAS,SAAgB9iC,GAC3B,OAAiB,OAAVA,CACT,EAEI8sB,GAAW,SAAkB9sB,GAC/B,QAAiB,OAAVA,GAAmC,iBAAVA,GAAuBzD,MAAM6L,QAAQpI,IAAYA,aAAiByY,QAAazY,aAAiB2F,QAAa3F,aAAiBia,SAAcja,aAAiBO,KAC/L,EAEIwiC,GAAW,SAAkB/iC,GAC/B,MAAwB,iBAAVA,CAChB,EAEIgjC,GAAc,SAAqBhjC,GACrC,YAAiB7C,IAAV6C,CACT,EAwCIijC,GAAuB,SAA8BjjC,GACvD,GAAqB,iBAAVA,GAAsBA,aAAiB2F,SAA4B,iBAAV3F,GAAsBA,aAAiByY,UAAY,GAAMzY,IAA2B,kBAAVA,GAAuBA,aAAiBia,SAAWja,aAAiBO,KAAM,CACtN,IAAI2iC,EAlBQ,SAAmBljC,GACjC,MAAqB,kBAAVA,GAAuBA,aAAiBia,QAC1CxB,OAAOzY,GAAOqC,WAEF,iBAAVrC,GAAsBA,aAAiByY,OACzCzY,EAAMqC,WAEXrC,aAAiBO,KACZP,EAAMmjC,UAAU9gC,WAEJ,iBAAVrC,GAAsBA,aAAiB2F,OACzC3F,EAAMoH,cAAcV,QAAQg7B,GAAoC,IAElE,EACT,CAIsB,CAAU1hC,GACxBoiC,EA3BQ,SAAmBpiC,GACjC,IAAIoiC,EAAeD,GAAYniC,GAC/B,YAAqB7C,IAAjBilC,EACKA,EAjBK,SAAmBpiC,GACjC,IACE,IAAIojC,EAAa7iC,KAAKZ,MAAMK,GAC5B,OAAKyY,OAAOK,MAAMsqB,IACZvB,GAAQn9B,KAAK1E,GACRojC,OAGX,CACF,CAAE,MAAOC,GACP,MACF,CACF,CAOSC,CAAUtjC,EACnB,CAqBuBujC,CAAUL,GAE7B,MAAO,CACLd,aAAcA,EACdE,OAHWG,GAAgBL,EAAe,GAAKA,EAAec,GAI9DljC,MAAOA,EAEX,CACA,MAAO,CACLoI,QAAS7L,MAAM6L,QAAQpI,GACvB4iC,WAAYA,GAAW5iC,GACvB8Y,MAAO,GAAM9Y,GACb8iC,OAAQA,GAAO9iC,GACf8sB,SAAUA,GAAS9sB,GACnB+iC,SAAUA,GAAS/iC,GACnBgjC,YAAaA,GAAYhjC,GACzBA,MAAOA,EAEX,EA2DIwjC,GAAqB,SAA4BC,GACnD,MAA0B,mBAAfA,EAEFA,EAEF,SAAUzjC,GACf,GAAIzD,MAAM6L,QAAQpI,GAAQ,CACxB,IAAIqa,EAAQ5B,OAAOgrB,GACnB,GAAIhrB,OAAOirB,UAAUrpB,GACnB,OAAOra,EAAMqa,EAEjB,MAAO,GAAIra,GAA0B,iBAAVA,EAAoB,CAC7C,IAAIwG,EAAStM,OAAOmd,yBAAyBrX,EAAOyjC,GACpD,OAAiB,MAAVj9B,OAAiB,EAASA,EAAOxG,KAC1C,CACA,OAAOA,CACT,CACF,EAmEA,SAAS2jC,GAAQC,EAAYC,EAAaC,GACxC,IAAKF,IAAernC,MAAM6L,QAAQw7B,GAChC,MAAO,GAET,IAAIG,EApCe,SAAwBF,GAC3C,IAAKA,EACH,MAAO,GAET,IAAIG,EAAkBznC,MAAM6L,QAAQy7B,GAA+B,GAAG7nC,OAAO6nC,GAA1B,CAACA,GACpD,OAAIG,EAAeC,MAAK,SAAUR,GAChC,MAA6B,iBAAfA,GAAiD,iBAAfA,GAAiD,mBAAfA,CACpF,IACS,GAEFO,CACT,CAyB6BE,CAAeL,GACtCM,EAxBU,SAAmBL,GACjC,IAAKA,EACH,MAAO,GAET,IAAIM,EAAa7nC,MAAM6L,QAAQ07B,GAAqB,GAAG9nC,OAAO8nC,GAArB,CAACA,GAC1C,OAAIM,EAAUH,MAAK,SAAUrE,GAC3B,MAAiB,QAAVA,GAA6B,SAAVA,GAAqC,mBAAVA,CACvD,IACS,GAEFwE,CACT,CAawBC,CAAUP,GAChC,OA/DgB,SAAqBF,EAAYC,EAAaC,GAC9D,IAAIQ,EAAgBT,EAAYxnC,OAASwnC,EAAYj3B,IAAI42B,IAAsB,CAAC,SAAUxjC,GACxF,OAAOA,CACT,GAGIukC,EAAmBX,EAAWh3B,KAAI,SAAU43B,EAASnqB,GAIvD,MAAO,CACLA,MAAOA,EACPxO,OALWy4B,EAAc13B,KAAI,SAAU62B,GACvC,OAAqCA,EAATe,EAC9B,IAAG53B,IAAIq2B,IAKT,IAMA,OAHAsB,EAAiBhsB,MAAK,SAAUksB,EAASC,GACvC,OArEkB,SAAyBD,EAASC,EAASZ,GAO/D,IANA,IAAIa,EAASF,EAAQpqB,MACnBuqB,EAAUH,EAAQ54B,OAChBg5B,EAASH,EAAQrqB,MACnByqB,EAAUJ,EAAQ74B,OAChBxP,EAASuoC,EAAQvoC,OACjB0oC,EAAejB,EAAOznC,OACjBF,EAAI,EAAGA,EAAIE,EAAQF,IAAK,CAC/B,IAAIyjC,EAAQzjC,EAAI4oC,EAAejB,EAAO3nC,GAAK,KAC3C,GAAIyjC,GAA0B,mBAAVA,EAAsB,CACxC,IAAIp5B,EAASo5B,EAAMgF,EAAQzoC,GAAG6D,MAAO8kC,EAAQ3oC,GAAG6D,OAChD,GAAIwG,EACF,OAAOA,CAEX,KAAO,CACL,IAAIw+B,GA5LiCC,EA4LTL,EAAQzoC,GA5LS+oC,EA4LLJ,EAAQ3oC,GA3LhD8oC,EAAOjlC,QAAUklC,EAAOllC,MACnB,OAEmB7C,IAAxB8nC,EAAO7C,mBAAsDjlC,IAAxB+nC,EAAO9C,aACvCnB,GAAegE,EAAO7C,aAAc8C,EAAO9C,cAEhD6C,EAAO3C,QAAU4C,EAAO5C,OA5EV,SAAuB6C,EAASC,GAIlD,IAHA,IAAIC,EAAUF,EAAQ9oC,OAClBipC,EAAUF,EAAQ/oC,OAClB+Q,EAAO8jB,KAAKuL,IAAI4I,EAASC,GACpBnpC,EAAI,EAAGA,EAAIiR,EAAMjR,IAAK,CAC7B,IAAIopC,EAASJ,EAAQhpC,GACjBqpC,EAASJ,EAAQjpC,GACrB,GAAIopC,EAAO/C,mBAAqBgD,EAAOhD,iBAAkB,CACvD,GAAgC,KAA5B+C,EAAO/C,mBAAyD,KAA5BgD,EAAOhD,kBAE7C,MAAmC,KAA5B+C,EAAO/C,kBAA2B,EAAI,EAE/C,QAA4BrlC,IAAxBooC,EAAOnD,mBAAsDjlC,IAAxBqoC,EAAOpD,aAA4B,CAE1E,IAAI57B,EAASy6B,GAAesE,EAAOnD,aAAcoD,EAAOpD,cACxD,OAAe,IAAX57B,EAOKw7B,GAAcuD,EAAO/C,iBAAkBgD,EAAOhD,kBAEhDh8B,CACT,CAAO,YAA4BrJ,IAAxBooC,EAAOnD,mBAAsDjlC,IAAxBqoC,EAAOpD,kBAEtBjlC,IAAxBooC,EAAOnD,cAA8B,EAAI,EACvCL,GAAsBr9B,KAAK6gC,EAAO/C,iBAAmBgD,EAAOhD,kBAE9DpB,GAAemE,EAAO/C,iBAAkBgD,EAAOhD,kBAG/CR,GAAcuD,EAAO/C,iBAAkBgD,EAAOhD,iBAEzD,CACF,CAEA,OAAI6C,EAAUj4B,GAAQk4B,EAAUl4B,EACvBi4B,GAAWj4B,GAAQ,EAAI,EAEzB,CACT,CAmCWq4B,CAAcR,EAAO3C,OAAQ4C,EAAO5C,QAjCvB,SAA2B2C,EAAQC,GACzD,OAAKD,EAAO3C,QAA0B4C,EAAO5C,OAAxB4C,EAAO5C,QAClB2C,EAAO3C,QAAc,EAAL,GAEtB2C,EAAOnsB,OAASosB,EAAOpsB,MAAQosB,EAAOpsB,OACjCmsB,EAAOnsB,OAAS,EAAI,GAEzBmsB,EAAOlC,UAAYmC,EAAOnC,SAAWmC,EAAOnC,UACvCkC,EAAOlC,UAAY,EAAI,GAE5BkC,EAAOnY,UAAYoY,EAAOpY,SAAWoY,EAAOpY,UACvCmY,EAAOnY,UAAY,EAAI,GAE5BmY,EAAO78B,SAAW88B,EAAO98B,QAAU88B,EAAO98B,SACrC68B,EAAO78B,SAAW,EAAI,GAE3B68B,EAAOrC,YAAcsC,EAAOtC,WAAasC,EAAOtC,YAC3CqC,EAAOrC,YAAc,EAAI,GAE9BqC,EAAOnC,QAAUoC,EAAOpC,OAASoC,EAAOpC,QACnCmC,EAAOnC,QAAU,EAAI,EAEvB,CACT,CAYS4C,CAAkBT,EAAQC,IAmL7B,GAAIF,EACF,OAAOA,GAAqB,SAAVpF,GAAoB,EAAI,EAE9C,CACF,CAjMkB,IAAuBqF,EAAQC,EAkMjD,OAAOP,EAASE,CAClB,CA+CWc,CAAgBlB,EAASC,EAASZ,EAC3C,IACOS,EAAiB33B,KAAI,SAAU43B,GACpC,OA7BoB,SAA2BZ,EAAYvpB,GAC7D,OAAOupB,EAAWvpB,EACpB,CA2BWurB,CAAkBhC,EAAYY,EAAQnqB,MAC/C,GACF,CAwCSwrB,CAAYjC,EAAYG,EAAsBI,EACvD,oDC7XA,MCpB2H,GDoB3H,CACExoC,KAAM,+BACNg+B,MAAO,CAAC,SACRrb,MAAO,CACLvY,MAAO,CACLN,KAAME,QAERi0B,UAAW,CACTn0B,KAAME,OACN4Y,QAAS,gBAEXnR,KAAM,CACJ3H,KAAMgT,OACN8F,QAAS,MEff,IAXgB,QACd,ICRW,WAAkB,IAAIsb,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,wDAAwDxZ,MAAM,CAAC,eAAeoZ,EAAI9zB,MAAM,aAAa8zB,EAAI9zB,MAAM,KAAO,OAAOzI,GAAG,CAAC,MAAQ,SAAS48B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BxZ,MAAM,CAAC,KAAOoZ,EAAID,UAAU,MAAQC,EAAIzsB,KAAK,OAASysB,EAAIzsB,KAAK,QAAU,cAAc,CAAC0sB,EAAG,OAAO,CAACrZ,MAAM,CAAC,EAAI,4FAA4F,CAAEoZ,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAIxuB,GAAGwuB,EAAI9zB,UAAU8zB,EAAIzlB,UAC/mB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,wEEEhC,MCpB+G,GDoB/G,CACEzY,KAAM,mBACNg+B,MAAO,CAAC,SACRrb,MAAO,CACLvY,MAAO,CACLN,KAAME,QAERi0B,UAAW,CACTn0B,KAAME,OACN4Y,QAAS,gBAEXnR,KAAM,CACJ3H,KAAMgT,OACN8F,QAAS,MEff,IAXgB,QACd,ICRW,WAAkB,IAAIsb,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,0CAA0CxZ,MAAM,CAAC,eAAeoZ,EAAI9zB,MAAM,aAAa8zB,EAAI9zB,MAAM,KAAO,OAAOzI,GAAG,CAAC,MAAQ,SAAS48B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BxZ,MAAM,CAAC,KAAOoZ,EAAID,UAAU,MAAQC,EAAIzsB,KAAK,OAASysB,EAAIzsB,KAAK,QAAU,cAAc,CAAC0sB,EAAG,OAAO,CAACrZ,MAAM,CAAC,EAAI,+bAA+b,CAAEoZ,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAIxuB,GAAGwuB,EAAI9zB,UAAU8zB,EAAIzlB,UACp8B,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,QElB2E,GCoB3G,CACEzY,KAAM,eACNg+B,MAAO,CAAC,SACRrb,MAAO,CACLvY,MAAO,CACLN,KAAME,QAERi0B,UAAW,CACTn0B,KAAME,OACN4Y,QAAS,gBAEXnR,KAAM,CACJ3H,KAAMgT,OACN8F,QAAS,MCff,IAXgB,QACd,ICRW,WAAkB,IAAIsb,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,sCAAsCxZ,MAAM,CAAC,eAAeoZ,EAAI9zB,MAAM,aAAa8zB,EAAI9zB,MAAM,KAAO,OAAOzI,GAAG,CAAC,MAAQ,SAAS48B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BxZ,MAAM,CAAC,KAAOoZ,EAAID,UAAU,MAAQC,EAAIzsB,KAAK,OAASysB,EAAIzsB,KAAK,QAAU,cAAc,CAAC0sB,EAAG,OAAO,CAACrZ,MAAM,CAAC,EAAI,0DAA0D,CAAEoZ,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAIxuB,GAAGwuB,EAAI9zB,UAAU8zB,EAAIzlB,UAC3jB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,wBEOzB,MACMpK,GAAS,IAAI87B,GAAAA,GAAW,CACjC9mC,GAF0B,UAG1B+mC,YAAaA,KAAM9K,EAAAA,GAAAA,IAAE,QAAS,gBAC9B+K,cAAeA,IAAMC,GAErBC,QAAUC,GAEe,IAAjBA,EAAM9pC,UAGL8pC,EAAM,MAINroC,QAAQ4/B,KAAKC,OAAOuC,WAGjBiG,EAAM,GAAGC,MAAMx4B,WAAW,YAAcu4B,EAAM,GAAGE,cAAgBC,GAAAA,GAAWC,QAAS,GAEjG,UAAMpuB,CAAKlU,EAAMqzB,EAAMqJ,GACnB,IAKI,aAHM7iC,OAAO4/B,IAAIC,MAAMuC,QAAQ78B,KAAKY,EAAKuJ,MAEzC1P,OAAO0oC,IAAI7I,MAAM5G,OAAO0P,UAAU,KAAM,CAAEnP,KAAMA,EAAKt4B,GAAI4hC,OAAQ38B,EAAK28B,QAAU,CAAED,QAAO,GAClF,IACX,CACA,MAAO/8B,GAEH,OADAk4B,GAAOl4B,MAAM,8BAA+B,CAAEA,WACvC,CACX,CACJ,EACAg8B,OAAQ,KCtDC8G,GAAgB,WACzB,MAwDMC,EAxDQzxB,GAAY,QAAS,CAC/B3N,MAAOA,KAAA,CACHuD,MAAO,CAAC,EACR87B,MAAO,CAAC,IAEZv6B,QAAS,CAILw6B,QAAUt/B,GAAWvI,GAAOuI,EAAMuD,MAAM9L,GAKxC8nC,SAAWv/B,GAAWw/B,GAAQA,EACzBn6B,KAAI5N,GAAMuI,EAAMuD,MAAM9L,KACtB2N,OAAOsN,SAIZ+sB,QAAUz/B,GAAW0/B,GAAY1/B,EAAMq/B,MAAMK,IAEjDl9B,QAAS,CACLm9B,WAAAA,CAAYf,GAER,MAAMr7B,EAAQq7B,EAAM99B,QAAO,CAAC8+B,EAAKljC,IACxBA,EAAK28B,QAIVuG,EAAIljC,EAAK28B,QAAU38B,EACZkjC,IAJHrL,GAAOl4B,MAAM,6CAA8CK,GACpDkjC,IAIZ,CAAC,GACJzR,EAAAA,QAAAA,IAAQ/6B,KAAM,QAAS,IAAKA,KAAKmQ,SAAUA,GAC/C,EACAs8B,WAAAA,CAAYjB,GACRA,EAAMr6B,SAAQ7H,IACNA,EAAK28B,QACLlL,EAAAA,QAAI3hB,OAAOpZ,KAAKmQ,MAAO7G,EAAK28B,OAChC,GAER,EACAyG,OAAAA,CAAOnP,GAAoB,IAAnB,QAAE+O,EAAO,KAAEb,GAAMlO,EACrBxC,EAAAA,QAAAA,IAAQ/6B,KAAKisC,MAAOK,EAASb,EACjC,EACAkB,aAAAA,CAAcrjC,GACVtJ,KAAKysC,YAAY,CAACnjC,GACtB,EACAsjC,aAAAA,CAActjC,GACVtJ,KAAKusC,YAAY,CAACjjC,GACtB,EACAujC,aAAAA,CAAcvjC,GACVtJ,KAAKusC,YAAY,CAACjjC,GACtB,IAGU+D,IAAM/K,WAQxB,OANK0pC,EAAU3O,gBACXC,EAAAA,GAAAA,IAAU,qBAAsB0O,EAAUY,gBAC1CtP,EAAAA,GAAAA,IAAU,qBAAsB0O,EAAUW,gBAC1CrP,EAAAA,GAAAA,IAAU,qBAAsB0O,EAAUa,eAC1Cb,EAAU3O,cAAe,GAEtB2O,CACX,EChEac,GAAgB,WACzB,MAAM38B,EAAQ47B,KAoERgB,EAnEQxyB,GAAY,QAAS,CAC/B3N,MAAOA,KAAA,CACHogC,MAAO,CAAC,IAEZt7B,QAAS,CACLu7B,QAAUrgC,GACC,CAAC0/B,EAASz5B,KACb,GAAKjG,EAAMogC,MAAMV,GAGjB,OAAO1/B,EAAMogC,MAAMV,GAASz5B,EAAK,GAI7CzD,QAAS,CACL89B,OAAAA,CAAQr8B,GAEC7Q,KAAKgtC,MAAMn8B,EAAQy7B,UACpBvR,EAAAA,QAAAA,IAAQ/6B,KAAKgtC,MAAOn8B,EAAQy7B,QAAS,CAAC,GAG1CvR,EAAAA,QAAAA,IAAQ/6B,KAAKgtC,MAAMn8B,EAAQy7B,SAAUz7B,EAAQgC,KAAMhC,EAAQo1B,OAC/D,EACA2G,aAAAA,CAActjC,GACV,MAAMgjC,GAAUa,EAAAA,GAAAA,OAAiBC,QAAQ/oC,IAAM,QAC/C,GAAKiF,EAAK28B,OAAV,CAcA,GATI38B,EAAKwB,OAASuiC,GAAAA,GAASC,QACvBttC,KAAKktC,QAAQ,CACTZ,UACAz5B,KAAMvJ,EAAKuJ,KACXozB,OAAQ38B,EAAK28B,SAKA,MAAjB38B,EAAKikC,QAAiB,CACtB,MAAM9B,EAAOt7B,EAAMk8B,QAAQC,GAK3B,OAJKb,EAAK+B,WACNzS,EAAAA,QAAAA,IAAQ0Q,EAAM,YAAa,SAE/BA,EAAK+B,UAAUhtC,KAAK8I,EAAK28B,OAE7B,CAGA,GAAIjmC,KAAKgtC,MAAMV,GAAShjC,EAAKikC,SAAU,CACnC,MAAME,EAAWztC,KAAKgtC,MAAMV,GAAShjC,EAAKikC,SACpCG,EAAev9B,EAAM+7B,QAAQuB,GAEnC,OADAtM,GAAOkE,MAAM,yCAA0C,CAAEqI,eAAcpkC,SAClEokC,GAIAA,EAAaF,WACdzS,EAAAA,QAAAA,IAAQ2S,EAAc,YAAa,SAEvCA,EAAaF,UAAUhtC,KAAK8I,EAAK28B,cAN7B9E,GAAOl4B,MAAM,0BAA2B,CAAEwkC,YAQlD,CACAtM,GAAOkE,MAAM,wDAAyD,CAAE/7B,QAnCxE,MAFI63B,GAAOl4B,MAAM,qBAAsB,CAAEK,QAsC7C,IAGW+D,IAAM/K,WASzB,OAPKyqC,EAAW1P,gBAEZC,EAAAA,GAAAA,IAAU,qBAAsByP,EAAWH,eAG3CG,EAAW1P,cAAe,GAEvB0P,CACX,EC7DaY,GAAoBpzB,GAAY,YAAa,CACtD3N,MAAOA,KAAA,CACHghC,SAAU,GACVC,cAAe,GACfC,kBAAmB,OAEvB1+B,QAAS,CAIL2D,GAAAA,GAAoB,IAAhBg7B,EAASzrC,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,GACZy4B,EAAAA,QAAAA,IAAQ/6B,KAAM,WAAY,IAAI,IAAI2W,IAAIo3B,IAC1C,EAIAC,YAAAA,GAAuC,IAA1BF,EAAiBxrC,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,KAE7By4B,EAAAA,QAAAA,IAAQ/6B,KAAM,gBAAiB8tC,EAAoB9tC,KAAK4tC,SAAW,IACnE7S,EAAAA,QAAAA,IAAQ/6B,KAAM,oBAAqB8tC,EACvC,EAIAG,KAAAA,GACIlT,EAAAA,QAAAA,IAAQ/6B,KAAM,WAAY,IAC1B+6B,EAAAA,QAAAA,IAAQ/6B,KAAM,gBAAiB,IAC/B+6B,EAAAA,QAAAA,IAAQ/6B,KAAM,oBAAqB,KACvC,KClDR,IAAIkuC,GCkBJ,MCpBuG,GDoBvG,CACEltC,KAAM,WACNg+B,MAAO,CAAC,SACRrb,MAAO,CACLvY,MAAO,CACLN,KAAME,QAERi0B,UAAW,CACTn0B,KAAME,OACN4Y,QAAS,gBAEXnR,KAAM,CACJ3H,KAAMgT,OACN8F,QAAS,MEff,IAXgB,QACd,ICRW,WAAkB,IAAIsb,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,iCAAiCxZ,MAAM,CAAC,eAAeoZ,EAAI9zB,MAAM,aAAa8zB,EAAI9zB,MAAM,KAAO,OAAOzI,GAAG,CAAC,MAAQ,SAAS48B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BxZ,MAAM,CAAC,KAAOoZ,EAAID,UAAU,MAAQC,EAAIzsB,KAAK,OAASysB,EAAIzsB,KAAK,QAAU,cAAc,CAAC0sB,EAAG,OAAO,CAACrZ,MAAM,CAAC,EAAI,gDAAgD,CAAEoZ,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAIxuB,GAAGwuB,EAAI9zB,UAAU8zB,EAAIzlB,UAC5iB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,mCEVhC,MCR2P,IDQ5O00B,EAAAA,EAAAA,iBAAgB,CAC3BntC,KAAM,cACNya,WAAY,CACR2yB,KAAI,GACJC,cAAa,KACbC,aAAYA,GAAAA,GAEhB3qB,MAAO,CACH9Q,KAAM,CACF/H,KAAME,OACN4Y,QAAS,MAGjBvM,MAAKA,KAGM,CACHk3B,WAHexC,KAIfgB,WAHeD,OAMvB5xB,SAAU,CACN0pB,WAAAA,GACI,OAAO,KAAKG,YAAYqI,MAC5B,EACAoB,IAAAA,GAC4BhC,MAIxB,MAAO,CAAC,OAFM,KAAK35B,KAAK6I,MAAM,KAAK1J,OAAOsN,SAASrN,KAF3Bu6B,EAE8C,IAFrCnnC,GAAWmnC,GAAQ,GAAEnnC,OAIhC4M,KAAKY,GAASA,EAAK9G,QAAQ,WAAY,QACjE,EACA0iC,QAAAA,GACI,OAAO,KAAKD,KAAKv8B,KAAK+zB,IAClB,MAAMC,EAAS,KAAKyI,kBAAkB1I,GAChCvb,EAAK,IAAK,KAAKtG,OAAQlC,OAAQ,CAAEgkB,UAAUznB,MAAO,CAAEwnB,QAC1D,MAAO,CACHA,MACAnb,OAAO,EACP7pB,KAAM,KAAK2tC,kBAAkB3I,GAC7Bvb,KACH,GAET,GAEJqW,QAAS,CACL8N,aAAAA,CAAcvqC,GACV,OAAO,KAAKkqC,WAAWrC,QAAQ7nC,EACnC,EACAqqC,iBAAAA,CAAkB77B,GACd,OAAO,KAAKk6B,WAAWE,QAAQ,KAAKrI,aAAavgC,GAAIwO,EACzD,EACA87B,iBAAAA,CAAkB97B,GACd,GAAa,MAATA,EACA,OAAOytB,EAAAA,GAAAA,IAAE,QAAS,QAEtB,MAAMuO,EAAS,KAAKH,kBAAkB77B,GAChCvJ,EAAQulC,EAAU,KAAKD,cAAcC,QAAUrsC,EACrD,OAAO8G,GAAMwlC,YAAY1D,cAAe2D,EAAAA,GAAAA,UAASl8B,EACrD,EACAm8B,OAAAA,CAAQvkB,GACAA,GAAIjM,OAAOwnB,MAAQ,KAAK7hB,OAAO3F,MAAMwnB,KACrC,KAAKxG,MAAM,SAEnB,EACAyP,eAAAA,CAAgBvvB,EAAOwvB,GACnB,OAAIA,GAASzkB,IAAIjM,OAAOwnB,MAAQ,KAAK7hB,OAAO3F,MAAMwnB,KACvC1F,EAAAA,GAAAA,IAAE,QAAS,4BAEH,IAAV5gB,GACE4gB,EAAAA,GAAAA,IAAE,QAAS,8BAA+B4O,GAE9C,IACX,EACAC,cAAAA,CAAeD,GACX,OAAIA,GAASzkB,IAAIjM,OAAOwnB,MAAQ,KAAK7hB,OAAO3F,MAAMwnB,KACvC1F,EAAAA,GAAAA,IAAE,QAAS,4BAEf,IACX,EACAA,EAACA,GAAAA,sBE7EL,GAAU,CAAC,EAEf,GAAQgB,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,IAAIzC,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMgQ,YAAmBjQ,EAAG,gBAAgB,CAACrZ,MAAM,CAAC,oCAAoC,GAAG,aAAaoZ,EAAIoB,EAAE,QAAS,2BAA2B6D,YAAYjF,EAAIkF,GAAG,CAAC,CAACv3B,IAAI,UAAUhN,GAAG,WAAW,MAAO,CAACq/B,EAAImQ,GAAG,WAAW,EAAEpoC,OAAM,IAAO,MAAK,IAAOi4B,EAAIgF,GAAIhF,EAAIuP,UAAU,SAASS,EAAQxvB,GAAO,OAAOyf,EAAG,eAAeD,EAAIG,GAAG,CAACxyB,IAAIqiC,EAAQlJ,IAAIlgB,MAAM,CAAC,IAAM,OAAO,GAAKopB,EAAQzkB,GAAG,MAAQyU,EAAI+P,gBAAgBvvB,EAAOwvB,GAAS,mBAAmBhQ,EAAIiQ,eAAeD,IAAUI,SAAS,CAAC,MAAQ,SAAS/P,GAAQ,OAAOL,EAAI8P,QAAQE,EAAQzkB,GAAG,GAAG0Z,YAAYjF,EAAIkF,GAAG,CAAY,IAAV1kB,EAAa,CAAC7S,IAAI,OAAOhN,GAAG,WAAW,MAAO,CAACs/B,EAAG,OAAO,CAACrZ,MAAM,CAAC,KAAO,MAAM,EAAE7e,OAAM,GAAM,MAAM,MAAK,IAAO,eAAeioC,GAAQ,GAAO,IAAG,EACtwB,GACsB,IGUpB,EACA,KACA,WACA,MAI8B,QCiDnBK,GAAiB/D,IAC1B,MAAMgE,EAAYhE,EAAMx5B,QAAO1I,GAAQA,EAAKwB,OAASuiC,GAAAA,GAASoC,OAAM/tC,OAC9DguC,EAAclE,EAAMx5B,QAAO1I,GAAQA,EAAKwB,OAASuiC,GAAAA,GAASC,SAAQ5rC,OACxE,OAAkB,IAAd8tC,GACOhX,EAAAA,GAAAA,IAAE,QAAS,uBAAwB,wBAAyBkX,EAAa,CAAEA,gBAE7D,IAAhBA,GACElX,EAAAA,GAAAA,IAAE,QAAS,mBAAoB,oBAAqBgX,EAAW,CAAEA,cAE1D,IAAdA,GACOhX,EAAAA,GAAAA,IAAE,QAAS,kCAAmC,mCAAoCkX,EAAa,CAAEA,gBAExF,IAAhBA,GACOlX,EAAAA,GAAAA,IAAE,QAAS,gCAAiC,iCAAkCgX,EAAW,CAAEA,eAE/FlP,EAAAA,GAAAA,IAAE,QAAS,8CAA+C,CAAEkP,YAAWE,eAAc,ECnFhG,uCCoBA,MCpB+G,GDoB/G,CACE1uC,KAAM,mBACNg+B,MAAO,CAAC,SACRrb,MAAO,CACLvY,MAAO,CACLN,KAAME,QAERi0B,UAAW,CACTn0B,KAAME,OACN4Y,QAAS,gBAEXnR,KAAM,CACJ3H,KAAMgT,OACN8F,QAAS,MEff,IAXgB,QACd,ICRW,WAAkB,IAAIsb,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,0CAA0CxZ,MAAM,CAAC,eAAeoZ,EAAI9zB,MAAM,aAAa8zB,EAAI9zB,MAAM,KAAO,OAAOzI,GAAG,CAAC,MAAQ,SAAS48B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BxZ,MAAM,CAAC,KAAOoZ,EAAID,UAAU,MAAQC,EAAIzsB,KAAK,OAASysB,EAAIzsB,KAAK,QAAU,cAAc,CAAC0sB,EAAG,OAAO,CAACrZ,MAAM,CAAC,EAAI,gIAAgI,CAAEoZ,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAIxuB,GAAGwuB,EAAI9zB,UAAU8zB,EAAIzlB,UACroB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,oCEAhC,UAXgB,QACd,KACA,KACA,MACA,EACA,KACA,KACA,MAI8B,QCbhC,GAAeshB,EAAAA,QAAIta,OAAO,CACtBzf,KAAM,qBACNya,WAAY,CACRk0B,iBAAgB,GAChBC,WAAUA,IAEd9qC,KAAIA,KACO,CACH0mC,MAAO,KAGftwB,SAAU,CACN20B,YAAAA,GACI,OAA6B,IAAtB,KAAKrE,MAAM9pC,MACtB,EACAouC,cAAAA,GACI,OAAO,KAAKD,cACL,KAAKrE,MAAM,GAAG1gC,OAASuiC,GAAAA,GAASC,MAC3C,EACAtsC,IAAAA,GACI,OAAK,KAAKyR,KAGF,GAAE,KAAKs9B,aAAa,KAAKt9B,OAFtB,KAAKs9B,OAGpB,EACAt9B,IAAAA,GACI,MAAMu9B,EAAY,KAAKxE,MAAM99B,QAAO,CAACuiC,EAAO3mC,IAAS2mC,EAAQ3mC,EAAKmJ,MAAQ,GAAG,GACvEA,EAAOy9B,SAASF,EAAW,KAAO,EACxC,MAAoB,iBAATv9B,GAAqBA,EAAO,EAC5B,MAEJytB,EAAAA,GAAAA,IAAeztB,GAAM,EAChC,EACAs9B,OAAAA,GACI,GAAI,KAAKF,aAAc,CACnB,MAAMvmC,EAAO,KAAKkiC,MAAM,GACxB,OAAOliC,EAAKwlC,YAAY1D,aAAe9hC,EAAKylC,QAChD,CACA,OAAOQ,GAAc,KAAK/D,MAC9B,GAEJ1K,QAAS,CACLjE,MAAAA,CAAO2O,GACH,KAAKA,MAAQA,EACb,KAAK2E,MAAMC,WAAWC,kBAEtB7E,EAAMrqC,MAAM,EAAG,GAAGgQ,SAAQ7H,IACtB,MAAMgnC,EAAU7mC,SAAS8oB,cAAe,mCAAkCjpB,EAAK28B,sCAC3EqK,GACoB,KAAKH,MAAMC,WACnBnO,YAAYqO,EAAQC,WAAWC,WAAU,GACzD,IAEJ,KAAKnf,WAAU,KACX,KAAKmO,MAAM,SAAU,KAAKwC,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,IAAIzC,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMgQ,YAAmBjQ,EAAG,MAAM,CAACG,YAAY,yBAAyB,CAACH,EAAG,OAAO,CAACG,YAAY,+BAA+B,CAACH,EAAG,OAAO,CAAClnB,IAAI,eAAeinB,EAAIQ,GAAG,KAAMR,EAAI4Q,eAAgB3Q,EAAG,cAAcA,EAAG,qBAAqB,GAAGD,EAAIQ,GAAG,KAAKP,EAAG,OAAO,CAACG,YAAY,+BAA+B,CAACJ,EAAIQ,GAAGR,EAAIxuB,GAAGwuB,EAAIl+B,UACvY,GACsB,IGUpB,EACA,KACA,KACA,MAI8B,QCjB1ByvC,GAAU1V,EAAAA,QAAIta,OAAOiwB,IAC3B,IAAIJ,GACG,MAAMK,GAAwBrhC,SAC1B,IAAI/I,SAASD,IACXgqC,KACDA,IAAU,IAAIG,IAAUG,SACxBnnC,SAAS4B,KAAK42B,YAAYqO,GAAQtO,MAEtCsO,GAAQzT,OAAO2O,GACf8E,GAAQO,IAAI,UAAU,KAClBvqC,EAAQgqC,GAAQtO,KAChBsO,GAAQQ,KAAK,SAAS,GACxB,oBCHN,GAAU,CAAC,EAEf,GAAQxP,kBAAoB,KAC5B,GAAQC,cAAgB,KAElB,GAAQC,OAAS,UAAc,KAAM,QAE3C,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,uBCrB1D,MAAM,MACJoP,GAAK,WACLC,GAAU,cACVC,GAAa,SACbC,GAAQ,YACRC,GAAW,QACXC,GACAC,IAAG,UACHC,GAAM,aACNC,GAAY,OACZC,GAAM,WACNC,GAAU,aACVC,GAAY,eACZC,GAAc,WACdC,GAAU,WACVC,GAAU,YACVC,IACEhV,GAAA,gDCGJ,IAAI9I,GAIG,MAAM+d,GAAWA,KACf/d,KACDA,GAAQ,IAAIge,GAAAA,EAAO,CAAEC,YAAa,KAE/Bje,IAEJ,IAAIke,IACX,SAAWA,GACPA,EAAqB,KAAI,OACzBA,EAAqB,KAAI,OACzBA,EAA6B,aAAI,cACpC,CAJD,CAIGA,KAAmBA,GAAiB,CAAC,IACjC,MAAMC,GAAW3G,GAE2B,IADzBA,EAAM99B,QAAO,CAACo0B,EAAKx4B,IAASitB,KAAKuL,IAAIA,EAAKx4B,EAAKoiC,cAAcC,GAAAA,GAAWyG,KACtEzG,GAAAA,GAAW0G,QAQ1BC,GAAW9G,GANIA,IACjBA,EAAMzoB,OAAMzZ,IACSvE,KAAKC,MAAMsE,EAAKwlC,aAAa,qBAAuB,MACpDxF,MAAKiJ,GAAiC,gBAApBA,EAAU/6B,QAAiD,IAAtB+6B,EAAUhH,SAAuC,aAAlBgH,EAAU1lC,QAMrH2lC,CAAYhH,GCdjBiH,GAAqBjH,GACnB2G,GAAQ3G,GACJ8G,GAAQ9G,GACD0G,GAAeQ,aAEnBR,GAAeS,KAGnBT,GAAeU,KAWbC,GAAuBvjC,eAAOhG,EAAMwpC,EAAa5sC,GAA8B,IAAtB6sC,EAASzwC,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,IAAAA,UAAA,GAC3E,IAAKwwC,EACD,OAEJ,GAAIA,EAAYhoC,OAASuiC,GAAAA,GAASC,OAC9B,MAAM,IAAIxhC,OAAMw0B,EAAAA,GAAAA,IAAE,QAAS,gCAG/B,GAAIp6B,IAAWgsC,GAAeS,MAAQrpC,EAAKikC,UAAYuF,EAAYjgC,KAC/D,MAAM,IAAI/G,OAAMw0B,EAAAA,GAAAA,IAAE,QAAS,kDAa/B,GAAK,GAAEwS,EAAYjgC,QAAQI,WAAY,GAAE3J,EAAKuJ,SAC1C,MAAM,IAAI/G,OAAMw0B,EAAAA,GAAAA,IAAE,QAAS,4EAG/BvF,EAAAA,QAAAA,IAAQzxB,EAAM,SAAU0pC,GAAAA,GAAWC,SACnC,MAAMjf,EAAQ+d,KACd,aAAa/d,EAAMpd,KAAItH,UACnB,MAAM4jC,EAAcxzB,GACF,IAAVA,GACO4gB,EAAAA,GAAAA,IAAE,QAAS,WAEfA,EAAAA,GAAAA,IAAE,QAAS,iBAAa99B,EAAWkd,GAE9C,IACI,MAAMyzB,GAASC,EAAAA,GAAAA,MACTC,GAAcz3B,EAAAA,GAAAA,MAAK03B,GAAAA,GAAahqC,EAAKuJ,MACrC0gC,GAAkB33B,EAAAA,GAAAA,MAAK03B,GAAAA,GAAaR,EAAYjgC,MACtD,GAAI3M,IAAWgsC,GAAeU,KAAM,CAChC,IAAI5uC,EAASsF,EAAKylC,SAElB,IAAKgE,EAAW,CACZ,MAAMS,QAAmBL,EAAOM,qBAAqBF,GACrDvvC,EfvES,SAAChD,EAAM0yC,GAAyC,IAA7BC,EAAMrxC,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAIk2B,GAAO,IAAGA,KAC5Dob,EAAU5yC,EACVQ,EAAI,EACR,KAAOkyC,EAAWrtC,SAASutC,IAAU,CACjC,MAAMC,GAAMC,EAAAA,GAAAA,SAAQ9yC,GACpB4yC,EAAW,IAAE7E,EAAAA,GAAAA,UAAS/tC,EAAM6yC,MAAQF,EAAOnyC,OAAOqyC,GACtD,CACA,OAAOD,CACX,Ce+D6BG,CAAczqC,EAAKylC,SAAUyE,EAAWvhC,KAAKumB,GAAMA,EAAEuW,WAAWmE,EAC7E,CAGA,SAFMC,EAAOa,SAASX,GAAaz3B,EAAAA,GAAAA,MAAK23B,EAAiBvvC,IAErDsF,EAAKikC,UAAYuF,EAAYjgC,KAAM,CACnC,MAAM,KAAE/N,SAAequC,EAAOc,MAAKr4B,EAAAA,GAAAA,MAAK23B,EAAiBvvC,GAAS,CAC9DkwC,SAAS,EACTpvC,MAAMqvC,EAAAA,GAAAA,SAEVryC,EAAAA,GAAAA,IAAK,sBAAsBsyC,EAAAA,GAAAA,IAAgBtvC,GAC/C,CACJ,YAEUquC,EAAOkB,SAAShB,GAAaz3B,EAAAA,GAAAA,MAAK23B,EAAiBjqC,EAAKylC,YAG9DjtC,EAAAA,GAAAA,IAAK,qBAAsBwH,EAEnC,CACA,MAAOL,GACH,GAAIA,aAAiB+nC,GAAY,CAC7B,GAAgC,MAA5B/nC,GAAOH,UAAUM,OACjB,MAAM,IAAI0C,OAAMw0B,EAAAA,GAAAA,IAAE,QAAS,kEAE1B,GAAgC,MAA5Br3B,GAAOH,UAAUM,OACtB,MAAM,IAAI0C,OAAMw0B,EAAAA,GAAAA,IAAE,QAAS,wBAE1B,GAAgC,MAA5Br3B,GAAOH,UAAUM,OACtB,MAAM,IAAI0C,OAAMw0B,EAAAA,GAAAA,IAAE,QAAS,oCAE1B,GAAIr3B,EAAMiD,QACX,MAAM,IAAIJ,MAAM7C,EAAMiD,QAE9B,CAEA,MADAi1B,GAAOkE,MAAMp8B,GACP,IAAI6C,KACd,CAAC,QAEGivB,EAAAA,QAAAA,IAAQzxB,EAAM,cAAU9G,EAC5B,IAER,EAQM8xC,GAA0BhlC,eAAOD,GAA6B,IAArB22B,EAAG1jC,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,IAAKkpC,EAAKlpC,UAAAZ,OAAA,EAAAY,UAAA,QAAAE,EAC3D,MAAM+xC,EAAU/I,EAAMv5B,KAAI3I,GAAQA,EAAK28B,SAAQj0B,OAAOsN,SAChDk1B,GAAaC,EAAAA,GAAAA,KAAqBnU,EAAAA,GAAAA,IAAE,QAAS,uBAC9CoU,kBAAiB,GACjBC,WAAWnc,GAEmC,IAAvCA,EAAEkT,YAAcC,GAAAA,GAAWiJ,UAE3BL,EAAQluC,SAASmyB,EAAEyN,UAE1B4O,kBAAkB,IAClBC,gBAAe,GACfC,QAAQ/O,GACb,OAAO,IAAIz/B,SAAQ,CAACD,EAAS2J,KACzBukC,EAAWQ,kBAAiB,CAACC,EAAYpiC,KACrC,MAAMqiC,EAAU,GACVlxC,GAAS+qC,EAAAA,GAAAA,UAASl8B,GAClBsiC,EAAW3J,EAAMv5B,KAAI3I,GAAQA,EAAKikC,UAClCP,EAAQxB,EAAMv5B,KAAI3I,GAAQA,EAAKuJ,OAerC,OAdIxD,IAAW6iC,GAAeU,MAAQvjC,IAAW6iC,GAAeQ,cAC5DwC,EAAQ10C,KAAK,CACT8M,MAAOtJ,GAASs8B,EAAAA,GAAAA,IAAE,QAAS,mBAAoB,CAAEt8B,YAAYs8B,EAAAA,GAAAA,IAAE,QAAS,QACxEx1B,KAAM,UACNoE,KAAMkmC,GACN,cAAMt/B,CAASg9B,GACXxsC,EAAQ,CACJwsC,YAAaA,EAAY,GACzBzjC,OAAQ6iC,GAAeU,MAE/B,IAIJuC,EAAS9uC,SAASwM,IAIlBm6B,EAAM3mC,SAASwM,IAIfxD,IAAW6iC,GAAeS,MAAQtjC,IAAW6iC,GAAeQ,cAC5DwC,EAAQ10C,KAAK,CACT8M,MAAOtJ,GAASs8B,EAAAA,GAAAA,IAAE,QAAS,mBAAoB,CAAEt8B,YAAYs8B,EAAAA,GAAAA,IAAE,QAAS,QACxEx1B,KAAMuE,IAAW6iC,GAAeS,KAAO,UAAY,YACnDzjC,KAAMmmC,GACN,cAAMv/B,CAASg9B,GACXxsC,EAAQ,CACJwsC,YAAaA,EAAY,GACzBzjC,OAAQ6iC,GAAeS,MAE/B,IAhBGuC,CAmBG,IAEHV,EAAW7W,QACnBpd,OAAOzH,OAAO7P,IACjBk4B,GAAOkE,MAAMp8B,GACbgH,EAAO,IAAInE,OAAMw0B,EAAAA,GAAAA,IAAE,QAAS,qCAAqC,GACnE,GAEV,ECjMagV,IDkMS,IAAInK,GAAAA,GAAW,CACjC9mC,GAAI,YACJ+mC,WAAAA,CAAYI,GACR,OAAQiH,GAAkBjH,IACtB,KAAK0G,GAAeS,KAChB,OAAOrS,EAAAA,GAAAA,IAAE,QAAS,QACtB,KAAK4R,GAAeU,KAChB,OAAOtS,EAAAA,GAAAA,IAAE,QAAS,QACtB,KAAK4R,GAAeQ,aAChB,OAAOpS,EAAAA,GAAAA,IAAE,QAAS,gBAE9B,EACA+K,cAAeA,IAAMgK,GACrB9J,QAAQC,KAECA,EAAMzoB,OAAMzZ,GAAQA,EAAKmiC,MAAMx4B,WAAW,cAGxCu4B,EAAM9pC,OAAS,IAAMywC,GAAQ3G,IAAU8G,GAAQ9G,IAE1D,UAAMhuB,CAAKlU,EAAMqzB,EAAMqJ,GACnB,MAAM32B,EAASojC,GAAkB,CAACnpC,IAClC,IAAIuC,EACJ,IACIA,QAAeyoC,GAAwBjlC,EAAQ22B,EAAK,CAAC18B,GACzD,CACA,MAAOrE,GAEH,OADAk8B,GAAOl4B,MAAMhE,IACN,CACX,CACA,IAEI,aADM4tC,GAAqBvpC,EAAMuC,EAAOinC,YAAajnC,EAAOwD,SACrD,CACX,CACA,MAAOpG,GACH,SAAIA,aAAiB6C,OAAW7C,EAAMiD,YAClCk1B,EAAAA,GAAAA,IAAUn4B,EAAMiD,SAET,KAGf,CACJ,EACA,eAAMqpC,CAAU/J,EAAO7O,EAAMqJ,GACzB,MAAM32B,EAASojC,GAAkBjH,GAC3B3/B,QAAeyoC,GAAwBjlC,EAAQ22B,EAAKwF,GACpDgK,EAAWhK,EAAMv5B,KAAI3C,UACvB,IAEI,aADMujC,GAAqBvpC,EAAMuC,EAAOinC,YAAajnC,EAAOwD,SACrD,CACX,CACA,MAAOpG,GAEH,OADAk4B,GAAOl4B,MAAO,aAAY4C,EAAOwD,cAAe,CAAE/F,OAAML,WACjD,CACX,KAKJ,aAAa1C,QAAQ8qC,IAAImE,EAC7B,EACAvQ,MAAO,KC/Pa,SAAUnkB,GAC9B,OAAOA,EAAIpF,MAAM,IAAIhO,QAAO,SAAUxD,EAAG2T,GAErC,OADA3T,GAAMA,GAAK,GAAKA,EAAK2T,EAAEb,WAAW,IACvB9S,CACf,GAAG,EACP,GCJaurC,GAAsBl7B,GAAY,cAAe,CAC1D3N,MAAOA,KAAA,CACH8oC,OAAQ,SCDHC,GAAsBp7B,GAAY,WAAY,CACvD3N,MAAOA,KAAA,CACHgpC,SAAU,KAEdxmC,QAAS,CAIL2D,GAAAA,GAAoB,IAAhBg7B,EAASzrC,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,GACZy4B,EAAAA,QAAAA,IAAQ/6B,KAAM,WAAY+tC,EAC9B,EAIAE,KAAAA,GACIlT,EAAAA,QAAAA,IAAQ/6B,KAAM,WAAY,GAC9B,KChBK61C,GAAmB,WAC5B,MAMMC,EANQv7B,GAAY,WAAY,CAClC3N,MAAOA,KAAA,CACHmpC,kBAAcvzC,EACdoxC,QAAS,MAGKvmC,IAAM/K,WAS5B,OAPKwzC,EAAczY,gBACfC,EAAAA,GAAAA,IAAU,qBAAqB,SAAUh0B,GACrCwsC,EAAcC,aAAezsC,EAC7BwsC,EAAclC,QAAUtqC,EAAKylC,QACjC,IACA+G,EAAczY,cAAe,GAE1ByY,CACX,kBClCA,MCNmQ,GDMnQ,CACI90C,KAAM,sBACN2iB,MAAO,CACHoD,OAAQ,CACJjc,KAAMvL,OACNmrB,UAAU,GAEdka,YAAa,CACT95B,KAAMvL,OACNmrB,UAAU,GAEd7G,OAAQ,CACJ/Y,KAAMi3B,SACNrX,UAAU,IAGlB5V,MAAO,CACHiS,MAAAA,GACI,KAAKivB,mBACT,EACApR,WAAAA,GACI,KAAKoR,mBACT,GAEJrV,OAAAA,GACI,KAAKqV,mBACT,EACAlV,QAAS,CACL,uBAAMkV,GACF,MAAMnM,QAAgB,KAAKhmB,OAAO,KAAKkD,OAAQ,KAAK6d,aAChDiF,EACA,KAAK7H,IAAIqO,gBAAgBxG,GAGzB,KAAK7H,IAAIqO,iBAEjB,IExBR,IAXgB,QACd,IFRW,WAA+C,OAAOlR,EAA5Bn/B,KAAYo/B,MAAMD,IAAa,OACtE,GACsB,IESpB,EACA,KACA,KACA,MAI8B,QClB4E,GCoB5G,CACEn+B,KAAM,gBACNg+B,MAAO,CAAC,SACRrb,MAAO,CACLvY,MAAO,CACLN,KAAME,QAERi0B,UAAW,CACTn0B,KAAME,OACN4Y,QAAS,gBAEXnR,KAAM,CACJ3H,KAAMgT,OACN8F,QAAS,MCff,IAXgB,QACd,ICRW,WAAkB,IAAIsb,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,uCAAuCxZ,MAAM,CAAC,eAAeoZ,EAAI9zB,MAAM,aAAa8zB,EAAI9zB,MAAM,KAAO,OAAOzI,GAAG,CAAC,MAAQ,SAAS48B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BxZ,MAAM,CAAC,KAAOoZ,EAAID,UAAU,MAAQC,EAAIzsB,KAAK,OAASysB,EAAIzsB,KAAK,QAAU,cAAc,CAAC0sB,EAAG,OAAO,CAACrZ,MAAM,CAAC,EAAI,2EAA2E,CAAEoZ,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAIxuB,GAAGwuB,EAAI9zB,UAAU8zB,EAAIzlB,UAC7kB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,QElB+E,GCoB/G,CACEzY,KAAM,mBACNg+B,MAAO,CAAC,SACRrb,MAAO,CACLvY,MAAO,CACLN,KAAME,QAERi0B,UAAW,CACTn0B,KAAME,OACN4Y,QAAS,gBAEXnR,KAAM,CACJ3H,KAAMgT,OACN8F,QAAS,MCff,IAXgB,QACd,ICRW,WAAkB,IAAIsb,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,0CAA0CxZ,MAAM,CAAC,eAAeoZ,EAAI9zB,MAAM,aAAa8zB,EAAI9zB,MAAM,KAAO,OAAOzI,GAAG,CAAC,MAAQ,SAAS48B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BxZ,MAAM,CAAC,KAAOoZ,EAAID,UAAU,MAAQC,EAAIzsB,KAAK,OAASysB,EAAIzsB,KAAK,QAAU,cAAc,CAAC0sB,EAAG,OAAO,CAACrZ,MAAM,CAAC,EAAI,gEAAgE,CAAEoZ,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAIxuB,GAAGwuB,EAAI9zB,UAAU8zB,EAAIzlB,UACrkB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,gDEJhC,MAAMrK,IAAU6mC,EAAAA,GAAAA,MAChB,GAAelb,EAAAA,QAAIta,OAAO,CACtBzf,KAAM,mBACNya,WAAY,CACRy6B,cAAa,GACbC,iBAAgB,GAChBC,oBAAmB,GACnBC,eAAc,KACdC,UAAS,KACTC,kBAAiB,KACjB/R,iBAAgB,KAChBgS,cAAaA,GAAAA,GAEjB7yB,MAAO,CACH8yB,eAAgB,CACZ3rC,KAAMgT,OACN4M,UAAU,GAEdgsB,QAAS,CACL5rC,KAAME,OACN0f,UAAU,GAEdgrB,OAAQ,CACJ5qC,KAAMwU,QACNsE,SAAS,GAEbmD,OAAQ,CACJjc,KAAMvL,OACNmrB,UAAU,GAEdisB,SAAU,CACN7rC,KAAMwU,QACNsE,SAAS,IAGjB9e,KAAIA,KACO,CACH8xC,cAAe,OAGvB17B,SAAU,CACN27B,UAAAA,GAEI,OAAQ,KAAK1yB,QAAQ3F,OAAOwnB,KAAKt+B,YAAc,KAAKqE,QAAQ,WAAY,KAC5E,EACA64B,WAAAA,GACI,OAAO,KAAKG,YAAYqI,MAC5B,EACA0J,SAAAA,GACI,OAAO,KAAK/vB,OAAO3d,SAAW4pC,GAAAA,GAAWC,OAC7C,EAEA8D,cAAAA,GACI,OAAI,KAAKhwB,OAAO+nB,WAAWkI,OAChB,GAEJ5nC,GACF4C,QAAO3C,IAAWA,EAAOk8B,SAAWl8B,EAAOk8B,QAAQ,CAAC,KAAKxkB,QAAS,KAAK6d,eACvEhnB,MAAK,CAAC1T,EAAG2T,KAAO3T,EAAE+6B,OAAS,IAAMpnB,EAAEonB,OAAS,IACrD,EAEAgS,oBAAAA,GACI,OAAI,KAAKR,eAAiB,KAAO,KAAKE,SAC3B,GAEJ,KAAKI,eAAe/kC,QAAO3C,GAAUA,GAAQ6nC,SAAS,KAAKnwB,OAAQ,KAAK6d,cACnF,EAEAuS,oBAAAA,GACI,OAAI,KAAKR,SACE,GAEJ,KAAKI,eAAe/kC,QAAO3C,GAAyC,mBAAxBA,EAAO+nC,cAC9D,EAEAC,qBAAAA,GACI,OAAO,KAAKN,eAAe/kC,QAAO3C,KAAYA,GAAQuU,SAC1D,EAEA0zB,kBAAAA,GAGI,GAAI,KAAKV,cACL,OAAO,KAAKK,qBAEhB,MAAM7nC,EAAU,IAET,KAAK6nC,wBAEL,KAAKF,eAAe/kC,QAAO3C,GAAUA,EAAOuU,UAAY2zB,GAAAA,GAAYC,QAAyC,mBAAxBnoC,EAAO+nC,gBACjGplC,QAAO,CAAC3M,EAAOqa,EAAOzX,IAEbyX,IAAUzX,EAAKwvC,WAAUpoC,GAAUA,EAAOhL,KAAOgB,EAAMhB,OAG5DqzC,EAAgBtoC,EAAQ4C,QAAO3C,IAAWA,EAAOmT,SAAQvQ,KAAI5C,GAAUA,EAAOhL,KAEpF,OAAO+K,EAAQ4C,QAAO3C,KAAYA,EAAOmT,QAAUk1B,EAAcrxC,SAASgJ,EAAOmT,UACrF,EACAm1B,qBAAAA,GACI,OAAO,KAAKZ,eACP/kC,QAAO3C,GAAUA,EAAOmT,SACxB9U,QAAO,CAACiZ,EAAKtX,KACTsX,EAAItX,EAAOmT,UACZmE,EAAItX,EAAOmT,QAAU,IAEzBmE,EAAItX,EAAOmT,QAAQhiB,KAAK6O,GACjBsX,IACR,CAAC,EACR,EACAixB,WAAY,CACR7xC,GAAAA,GACI,OAAO,KAAK2vC,MAChB,EACA3iC,GAAAA,CAAI1N,GACA,KAAKm6B,MAAM,gBAAiBn6B,EAChC,GAOJwyC,qBAAoBA,IACTpuC,SAAS8oB,cAAc,8BAElCulB,SAAAA,GACI,OAAO,KAAK/wB,OAAOgxB,YAAY,aACnC,GAEJjX,QAAS,CACLkX,iBAAAA,CAAkB3oC,GACd,IAAK,KAAKsnC,UAAa,KAAKF,eAAiB,KAAOpnC,EAAO6nC,SAAoC,mBAAjB7nC,EAAOjE,MAAsB,CAGvG,MAAMA,EAAQiE,EAAOjE,MAAM,CAAC,KAAK2b,QAAS,KAAK6d,aAC/C,GAAIx5B,EACA,OAAOA,CACf,CACA,OAAOiE,EAAO+7B,YAAY,CAAC,KAAKrkB,QAAS,KAAK6d,YAClD,EACA,mBAAMqT,CAAc5oC,GAA2B,IAAnB6oC,EAAS51C,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,IAAAA,UAAA,GAEjC,GAAI,KAAKq1C,sBAAsBtoC,EAAOhL,IAElC,YADA,KAAKuyC,cAAgBvnC,GAGzB,MAAM+7B,EAAc/7B,EAAO+7B,YAAY,CAAC,KAAKrkB,QAAS,KAAK6d,aAC3D,IAEI,KAAKpF,MAAM,iBAAkBnwB,EAAOhL,IACpC02B,EAAAA,QAAAA,IAAQ,KAAKhU,OAAQ,SAAUisB,GAAAA,GAAWC,SAC1C,MAAMkF,QAAgB9oC,EAAOmO,KAAK,KAAKuJ,OAAQ,KAAK6d,YAAa,KAAKiS,YAEtE,GAAIsB,QACA,OAEJ,GAAIA,EAEA,YADAlU,EAAAA,GAAAA,KAAY3D,EAAAA,GAAAA,IAAE,QAAS,+CAAgD,CAAE8K,kBAG7EhK,EAAAA,GAAAA,KAAUd,EAAAA,GAAAA,IAAE,QAAS,gCAAiC,CAAE8K,gBAC5D,CACA,MAAOnmC,GACHk8B,GAAOl4B,MAAM,+BAAgC,CAAEoG,SAAQpK,KACvDm8B,EAAAA,GAAAA,KAAUd,EAAAA,GAAAA,IAAE,QAAS,gCAAiC,CAAE8K,gBAC5D,CAAC,QAGG,KAAK5L,MAAM,iBAAkB,IAC7BzE,EAAAA,QAAAA,IAAQ,KAAKhU,OAAQ,cAAUvkB,GAE3B01C,IACA,KAAKtB,cAAgB,KAE7B,CACJ,EACAwB,iBAAAA,CAAkBj4C,GACV,KAAKk3C,sBAAsB31C,OAAS,IACpCvB,EAAMmtB,iBACNntB,EAAMyhC,kBAEN,KAAKyV,sBAAsB,GAAG75B,KAAK,KAAKuJ,OAAQ,KAAK6d,YAAa,KAAKiS,YAE/E,EACAwB,MAAAA,CAAOh0C,GACH,OAAO,KAAKszC,sBAAsBtzC,IAAK3C,OAAS,CACpD,EACA4+B,EAACA,GAAAA,MC1MgQ,sBCWrQ,GAAU,CAAC,EAEf,GAAQgB,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,WAAkB,IAAIzC,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMgQ,YAAmBjQ,EAAG,KAAK,CAACG,YAAY,0BAA0BxZ,MAAM,CAAC,iCAAiC,KAAK,CAACoZ,EAAIgF,GAAIhF,EAAIiY,sBAAsB,SAAS9nC,GAAQ,OAAO8vB,EAAG,sBAAsB,CAACtyB,IAAIwC,EAAOhL,GAAGi7B,YAAY,iCAAiCtT,MAAM,0BAA4B3c,EAAOhL,GAAGyhB,MAAM,CAAC,eAAeoZ,EAAI0F,YAAY,OAASv1B,EAAO+nC,aAAa,OAASlY,EAAInY,SAAS,IAAGmY,EAAIQ,GAAG,KAAKP,EAAG,YAAY,CAAClnB,IAAI,cAAc6N,MAAM,CAAC,qBAAqBoZ,EAAI2Y,qBAAqB,UAAY3Y,EAAI2Y,qBAAqB,SAAW3Y,EAAI4X,WAA6B,KAAhB5X,EAAIwX,QAAe,cAAa,EAAK,KAAO,WAAW,aAAiD,IAApCxX,EAAI+X,qBAAqBv1C,OAAuD,OAASw9B,EAAI+X,qBAAqBv1C,OAAO,KAAOw9B,EAAI0Y,YAAYj1C,GAAG,CAAC,cAAc,SAAS48B,GAAQL,EAAI0Y,WAAWrY,CAAM,EAAE,MAAQ,SAASA,GAAQL,EAAI0X,cAAgB,IAAI,IAAI,CAAC1X,EAAIgF,GAAIhF,EAAIoY,oBAAoB,SAASjoC,GAAQ,OAAO8vB,EAAG,iBAAiB,CAACtyB,IAAIwC,EAAOhL,GAAG2nB,MAAM,CACzhC,CAAE,0BAAyB3c,EAAOhL,OAAO,EACzC,+BAAkC66B,EAAImZ,OAAOhpC,EAAOhL,KACnDyhB,MAAM,CAAC,qBAAqBoZ,EAAImZ,OAAOhpC,EAAOhL,IAAI,gCAAgCgL,EAAOhL,GAAG,UAAU66B,EAAImZ,OAAOhpC,EAAOhL,IAAI,MAAQgL,EAAOjE,QAAQ,CAAC8zB,EAAInY,QAASmY,EAAI0F,cAAcjiC,GAAG,CAAC,MAAQ,SAAS48B,GAAQ,OAAOL,EAAI+Y,cAAc5oC,EAAO,GAAG80B,YAAYjF,EAAIkF,GAAG,CAAC,CAACv3B,IAAI,OAAOhN,GAAG,WAAW,MAAO,CAAEq/B,EAAIwX,UAAYrnC,EAAOhL,GAAI86B,EAAG,gBAAgB,CAACrZ,MAAM,CAAC,KAAO,MAAMqZ,EAAG,mBAAmB,CAACrZ,MAAM,CAAC,IAAMzW,EAAOg8B,cAAc,CAACnM,EAAInY,QAASmY,EAAI0F,gBAAgB,EAAE39B,OAAM,IAAO,MAAK,IAAO,CAACi4B,EAAIQ,GAAG,WAAWR,EAAIxuB,GAAqB,WAAlBwuB,EAAI4Y,WAAwC,mBAAdzoC,EAAOhL,GAA0B,GAAK66B,EAAI8Y,kBAAkB3oC,IAAS,WAAW,IAAG6vB,EAAIQ,GAAG,KAAMR,EAAI0X,eAAiB1X,EAAIyY,sBAAsBzY,EAAI0X,eAAevyC,IAAK,CAAC86B,EAAG,iBAAiB,CAACG,YAAY,8BAA8B38B,GAAG,CAAC,MAAQ,SAAS48B,GAAQL,EAAI0X,cAAgB,IAAI,GAAGzS,YAAYjF,EAAIkF,GAAG,CAAC,CAACv3B,IAAI,OAAOhN,GAAG,WAAW,MAAO,CAACs/B,EAAG,iBAAiB,EAAEl4B,OAAM,IAAO,MAAK,EAAM,aAAa,CAACi4B,EAAIQ,GAAG,aAAaR,EAAIxuB,GAAGwuB,EAAI8Y,kBAAkB9Y,EAAI0X,gBAAgB,cAAc1X,EAAIQ,GAAG,KAAKP,EAAG,qBAAqBD,EAAIQ,GAAG,KAAKR,EAAIgF,GAAIhF,EAAIyY,sBAAsBzY,EAAI0X,eAAevyC,KAAK,SAASgL,GAAQ,OAAO8vB,EAAG,iBAAiB,CAACtyB,IAAIwC,EAAOhL,GAAGi7B,YAAY,kCAAkCtT,MAAO,0BAAyB3c,EAAOhL,KAAKyhB,MAAM,CAAC,qBAAoB,EAA8C,gCAAgCzW,EAAOhL,GAAG,MAAQgL,EAAOjE,QAAQ,CAAC8zB,EAAInY,QAASmY,EAAI0F,cAAcjiC,GAAG,CAAC,MAAQ,SAAS48B,GAAQ,OAAOL,EAAI+Y,cAAc5oC,EAAO,GAAG80B,YAAYjF,EAAIkF,GAAG,CAAC,CAACv3B,IAAI,OAAOhN,GAAG,WAAW,MAAO,CAAEq/B,EAAIwX,UAAYrnC,EAAOhL,GAAI86B,EAAG,gBAAgB,CAACrZ,MAAM,CAAC,KAAO,MAAMqZ,EAAG,mBAAmB,CAACrZ,MAAM,CAAC,IAAMzW,EAAOg8B,cAAc,CAACnM,EAAInY,QAASmY,EAAI0F,gBAAgB,EAAE39B,OAAM,IAAO,MAAK,IAAO,CAACi4B,EAAIQ,GAAG,aAAaR,EAAIxuB,GAAGwuB,EAAI8Y,kBAAkB3oC,IAAS,aAAa,KAAI6vB,EAAIzlB,MAAM,IAAI,EACvzD,GACsB,IIQpB,EACA,KACA,WACA,MAIF,SAAe,GAAiB,QCpB0O,GCQ3PshB,EAAAA,QAAIta,OAAO,CACtBzf,KAAM,oBACNya,WAAY,CACRmnB,sBAAqB,KACrB4T,cAAaA,GAAAA,GAEjB7yB,MAAO,CACHsiB,OAAQ,CACJn7B,KAAME,OACN0f,UAAU,GAEdosB,UAAW,CACPhsC,KAAMwU,QACNsE,SAAS,GAEb4nB,MAAO,CACH1gC,KAAMlJ,MACN8oB,UAAU,GAEd3D,OAAQ,CACJjc,KAAMvL,OACNmrB,UAAU,IAGlBrT,KAAAA,GACI,MAAMihC,EAAiB3K,KACjB4K,ECNkB,WAC5B,MAmBMA,EAnBQh+B,GAAY,WAAY,CAClC3N,MAAOA,KAAA,CACHmgB,QAAQ,EACRC,SAAS,EACTF,SAAS,EACTG,UAAU,IAEd7d,QAAS,CACLopC,OAAAA,CAAQr4C,GACCA,IACDA,EAAQgD,OAAOhD,OAEnB46B,EAAAA,QAAAA,IAAQ/6B,KAAM,WAAYG,EAAM4sB,QAChCgO,EAAAA,QAAAA,IAAQ/6B,KAAM,YAAaG,EAAM6sB,SACjC+N,EAAAA,QAAAA,IAAQ/6B,KAAM,YAAaG,EAAM2sB,SACjCiO,EAAAA,QAAAA,IAAQ/6B,KAAM,aAAcG,EAAM8sB,SACtC,IAGc5f,IAAM/K,WAQ5B,OANKi2C,EAAclb,eACfl6B,OAAO2tB,iBAAiB,UAAWynB,EAAcC,SACjDr1C,OAAO2tB,iBAAiB,QAASynB,EAAcC,SAC/Cr1C,OAAO2tB,iBAAiB,YAAaynB,EAAcC,SACnDD,EAAclb,cAAe,GAE1Bkb,CACX,CDvB8BE,GACtB,MAAO,CACHF,gBACAD,iBAER,EACAp9B,SAAU,CACNw9B,aAAAA,GACI,OAAO,KAAKJ,eAAe1K,QAC/B,EACA+K,UAAAA,GACI,OAAO,KAAKD,cAAcryC,SAAS,KAAK4/B,OAC5C,EACAvmB,KAAAA,GACI,OAAO,KAAK8rB,MAAMiM,WAAWnuC,GAASA,EAAK28B,SAAWiK,SAAS,KAAKjK,SACxE,EACA2S,MAAAA,GACI,OAAO,KAAK7xB,OAAOjc,OAASuiC,GAAAA,GAASoC,IACzC,EACAoJ,SAAAA,GACI,OAAO,KAAKD,QACNtY,EAAAA,GAAAA,IAAE,QAAS,4CAA6C,CAAE8K,YAAa,KAAKrkB,OAAOgoB,YACnFzO,EAAAA,GAAAA,IAAE,QAAS,8CAA+C,CAAE8K,YAAa,KAAKrkB,OAAOgoB,UAC/F,GAEJjO,QAAS,CACLgY,iBAAAA,CAAkBlL,GACd,MAAMmL,EAAmB,KAAKr5B,MACxBouB,EAAoB,KAAKwK,eAAexK,kBAE9C,GAAI,KAAKyK,eAAetrB,UAAkC,OAAtB6gB,EAA4B,CAC5D,MAAMkL,EAAoB,KAAKN,cAAcryC,SAAS,KAAK4/B,QACrDgT,EAAQ1iB,KAAKuL,IAAIiX,EAAkBjL,GACnC5kB,EAAMqN,KAAKD,IAAIwX,EAAmBiL,GAClClL,EAAgB,KAAKyK,eAAezK,cACpCqL,EAAgB,KAAK1N,MACtBv5B,KAAI7B,GAAQA,EAAK61B,QAAQv+B,eACzBvG,MAAM83C,EAAO/vB,EAAM,GAElB6kB,EAAY,IAAIF,KAAkBqL,GACnClnC,QAAOi0B,IAAW+S,GAAqB/S,IAAW,KAAKA,SAI5D,OAHA9E,GAAOkE,MAAM,oDAAqD,CAAE4T,QAAO/vB,MAAKgwB,gBAAeF,2BAE/F,KAAKV,eAAevlC,IAAIg7B,EAE5B,CACA,MAAMA,EAAYH,EACZ,IAAI,KAAK8K,cAAe,KAAKzS,QAC7B,KAAKyS,cAAc1mC,QAAOi0B,GAAUA,IAAW,KAAKA,SAC1D9E,GAAOkE,MAAM,qBAAsB,CAAE0I,cACrC,KAAKuK,eAAevlC,IAAIg7B,GACxB,KAAKuK,eAAetK,aAAa+K,EACrC,EACAI,cAAAA,GACI,KAAKb,eAAerK,OACxB,EACA3N,EAACA,GAAAA,MExET,IAXgB,QACd,IFRW,WAAkB,IAAIpB,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMgQ,YAAmBjQ,EAAG,KAAK,CAACG,YAAY,2BAA2B38B,GAAG,CAAC,MAAQ,SAAS48B,GAAQ,OAAIA,EAAOz0B,KAAKoL,QAAQ,QAAQgpB,EAAIka,GAAG7Z,EAAO8Z,QAAQ,MAAM,GAAG9Z,EAAO1yB,IAAI,CAAC,MAAM,YAA0B0yB,EAAOvS,SAASuS,EAAOtS,UAAUsS,EAAOxS,QAAQwS,EAAOzS,QAA/D,KAA0FoS,EAAIia,eAAe12C,MAAM,KAAMH,UAAU,IAAI,CAAE48B,EAAI4X,UAAW3X,EAAG,iBAAiBA,EAAG,wBAAwB,CAACrZ,MAAM,CAAC,aAAaoZ,EAAI2Z,UAAU,QAAU3Z,EAAIyZ,YAAYh2C,GAAG,CAAC,iBAAiBu8B,EAAI4Z,sBAAsB,EACnkB,GACsB,IESpB,EACA,KACA,KACA,MAI8B,QClBhC,gBAUA,MAAMQ,IAAsB9c,EAAAA,GAAAA,GAAU,QAAS,sBAAuB,ICVgM,GDWvPzB,EAAAA,QAAIta,OAAO,CACtBzf,KAAM,gBACNya,WAAY,CACR89B,YAAWA,GAAAA,GAEf51B,MAAO,CACHynB,YAAa,CACTtgC,KAAME,OACN0f,UAAU,GAEd8uB,UAAW,CACP1uC,KAAME,OACN0f,UAAU,GAEd+rB,eAAgB,CACZ3rC,KAAMgT,OACN4M,UAAU,GAEd8gB,MAAO,CACH1gC,KAAMlJ,MACN8oB,UAAU,GAEd3D,OAAQ,CACJjc,KAAMvL,OACNmrB,UAAU,GAEdisB,SAAU,CACN7rC,KAAMwU,QACNsE,SAAS,IAGjBvM,MAAKA,KAEM,CACHy+B,cAFkBD,OAK1B36B,SAAU,CACNu+B,UAAAA,GACI,OAAO,KAAK3D,cAAcC,eAAiB,KAAKhvB,MACpD,EACA2yB,qBAAAA,GACI,OAAO,KAAKD,YAAc,KAAKhD,eAAiB,GACpD,EACA7C,QAAS,CACL7tC,GAAAA,GACI,OAAO,KAAK+vC,cAAclC,OAC9B,EACA7gC,GAAAA,CAAI6gC,GACA,KAAKkC,cAAclC,QAAUA,CACjC,GAEJ+F,WAAAA,GAKI,MAJmB,CACf,CAACtM,GAAAA,GAASoC,OAAOnP,EAAAA,GAAAA,IAAE,QAAS,aAC5B,CAAC+M,GAAAA,GAASC,SAAShN,EAAAA,GAAAA,IAAE,QAAS,gBAEhB,KAAKvZ,OAAOjc,KAClC,EACA8uC,MAAAA,GACI,GAAI,KAAK7yB,OAAO+nB,WAAWkI,OACvB,MAAO,CACH6C,GAAI,OACJ53B,OAAQ,CACJ7W,OAAOk1B,EAAAA,GAAAA,IAAE,QAAS,8BAI9B,MAAM+W,EAAwB,KAAKvyB,SAASqrB,OAAO/gC,SAASioC,sBAC5D,OAAIA,GAAuB31C,OAAS,EAGzB,CACHm4C,GAAI,IACJ53B,OAAQ,CACJ7W,MALOisC,EAAsB,GACVjM,YAAY,CAAC,KAAKrkB,QAAS,KAAK6d,aAKnDkV,KAAM,SACNC,SAAU,MAIlB,KAAKhzB,QAAQ2kB,YAAcC,GAAAA,GAAWqO,KAC/B,CACHH,GAAI,IACJ53B,OAAQ,CACJ5Z,SAAU,KAAK0e,OAAOgoB,SACtB1kC,KAAM,KAAK0c,OAAOA,OAClB3b,OAAOk1B,EAAAA,GAAAA,IAAE,QAAS,uBAAwB,CAAEt/B,KAAM,KAAKoqC,cACvD2O,SAAU,MAIf,CACHF,GAAI,OAEZ,GAEJ/kC,MAAO,CAMH2kC,WAAY,CACRQ,WAAW,EACXnuB,OAAAA,CAAQouB,GACAA,GACA,KAAKC,eAEb,IAGRrZ,QAAS,CAMLsZ,kBAAAA,CAAmBj6C,GACf,MAAM6b,EAAQ7b,EAAM6D,OACd4vC,EAAU,KAAKA,QAAQx1B,UAAY,GACzC+iB,GAAOkE,MAAM,0BAA2B,CAAEuO,YAC1C,IACI,KAAKyG,gBAAgBzG,GACrB53B,EAAMs+B,kBAAkB,IACxBt+B,EAAM5Q,MAAQ,EAClB,CACA,MAAOnG,GACH+W,EAAMs+B,kBAAkBr1C,EAAEiH,SAC1B8P,EAAM5Q,MAAQnG,EAAEiH,OACpB,CAAC,QAEG8P,EAAMu+B,gBACV,CACJ,EACAF,eAAAA,CAAgBr5C,GACZ,MAAMw5C,EAAcx5C,EAAKod,OACzB,GAAoB,MAAhBo8B,GAAuC,OAAhBA,EACvB,MAAM,IAAI1uC,OAAMw0B,EAAAA,GAAAA,IAAE,QAAS,oCAAqC,CAAEt/B,UAEjE,GAA2B,IAAvBw5C,EAAY94C,OACjB,MAAM,IAAIoK,OAAMw0B,EAAAA,GAAAA,IAAE,QAAS,+BAE1B,IAAkC,IAA9Bka,EAAYtkC,QAAQ,KACzB,MAAM,IAAIpK,OAAMw0B,EAAAA,GAAAA,IAAE,QAAS,2CAE1B,GAAIka,EAAYt+B,MAAMu+B,GAAG70B,OAAO80B,uBACjC,MAAM,IAAI5uC,OAAMw0B,EAAAA,GAAAA,IAAE,QAAS,uCAAwC,CAAEt/B,UAEpE,GAAI,KAAK25C,kBAAkB35C,GAC5B,MAAM,IAAI8K,OAAMw0B,EAAAA,GAAAA,IAAE,QAAS,4BAA6B,CAAEsT,QAAS5yC,KAQvE,OANgBw5C,EAAY9+B,MAAM,IAC1BvK,SAAQypC,IACZ,IAA2C,IAAvCtB,GAAoBpjC,QAAQ0kC,GAC5B,MAAM,IAAI9uC,MAAM,KAAKw0B,EAAE,QAAS,8CAA+C,CAAEsa,SACrF,KAEG,CACX,EACAD,iBAAAA,CAAkB35C,GACd,OAAO,KAAKwqC,MAAM1G,MAAKx7B,GAAQA,EAAKylC,WAAa/tC,GAAQsI,IAAS,KAAKyd,QAC3E,EACAozB,aAAAA,GACI,KAAK9oB,WAAU,KAEX,MAAMwpB,GAAa,KAAK9zB,OAAOyyB,WAAa,IAAI99B,MAAM,IAAIha,OACpDA,EAAS,KAAKqlB,OAAOgoB,SAASrzB,MAAM,IAAIha,OAASm5C,EACjD7+B,EAAQ,KAAKm0B,MAAM2K,aAAa3K,OAAO4K,YAAY5K,OAAOn0B,MAC3DA,GAILA,EAAMg/B,kBAAkB,EAAGt5C,GAC3Bsa,EAAMi/B,QAENj/B,EAAMzS,cAAc,IAAI2xC,MAAM,WAN1B/Z,GAAOl4B,MAAM,kCAMsB,GAE/C,EACAkyC,YAAAA,GACS,KAAK1B,YAIV,KAAK3D,cAAcnlC,QACvB,EAEA,cAAMyqC,GACF,MAAMC,EAAU,KAAKt0B,OAAOgoB,SACtBuM,EAAmB,KAAKv0B,OAAOw0B,cAC/B3H,EAAU,KAAKA,QAAQx1B,UAAY,GACzC,GAAgB,KAAZw1B,EAIJ,GAAIyH,IAAYzH,EAKhB,GAAI,KAAK+G,kBAAkB/G,IACvBxS,EAAAA,GAAAA,KAAUd,EAAAA,GAAAA,IAAE,QAAS,wDADzB,CAKA,KAAKoW,QAAU,WACf3b,EAAAA,QAAAA,IAAQ,KAAKhU,OAAQ,SAAUisB,GAAAA,GAAWC,SAE1C,KAAKlsB,OAAOy0B,OAAO5H,GACnBzS,GAAOkE,MAAM,iBAAkB,CAAEyN,YAAa,KAAK/rB,OAAOw0B,cAAeD,qBACzE,UACUxe,EAAAA,GAAAA,GAAM,CACR52B,OAAQ,OACRoC,IAAKgzC,EACLG,QAAS,CACLC,YAAa,KAAK30B,OAAOw0B,cACzBI,UAAW,QAInB75C,EAAAA,GAAAA,IAAK,qBAAsB,KAAKilB,SAChCjlB,EAAAA,GAAAA,IAAK,qBAAsB,KAAKilB,SAChCkd,EAAAA,GAAAA,KAAY3D,EAAAA,GAAAA,IAAE,QAAS,qCAAsC,CAAE+a,UAASzH,aAExE,KAAKuH,eACL,KAAK9pB,WAAU,KACX,KAAK8e,MAAMpB,SAASkM,OAAO,GAEnC,CACA,MAAOhyC,GAKH,GAJAk4B,GAAOl4B,MAAM,4BAA6B,CAAEA,UAC5C,KAAK8d,OAAOy0B,OAAOH,GACnB,KAAKlL,MAAM2K,YAAYG,QAES,MAA5BhyC,GAAOH,UAAUM,OAEjB,YADAg4B,EAAAA,GAAAA,KAAUd,EAAAA,GAAAA,IAAE,QAAS,2DAA4D,CAAE+a,aAGlF,GAAgC,MAA5BpyC,GAAOH,UAAUM,OAEtB,YADAg4B,EAAAA,GAAAA,KAAUd,EAAAA,GAAAA,IAAE,QAAS,8FAA+F,CAAEsT,UAAS5N,IAAK,KAAK6Q,eAI7IzV,EAAAA,GAAAA,KAAUd,EAAAA,GAAAA,IAAE,QAAS,+BAAgC,CAAE+a,YAC3D,CAAC,QAEG,KAAK3E,SAAU,EACf3b,EAAAA,QAAAA,IAAQ,KAAKhU,OAAQ,cAAUvkB,EACnC,CA7CA,MAPI,KAAK24C,oBAJL/Z,EAAAA,GAAAA,KAAUd,EAAAA,GAAAA,IAAE,QAAS,wBAyD7B,EACAA,EAACA,GAAAA,MEnPT,IAXgB,QACd,IFRW,WAAkB,IAAIpB,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMgQ,YAAoBlQ,EAAIua,WAAYta,EAAG,OAAO,CAACyc,WAAW,CAAC,CAAC56C,KAAK,mBAAmB66C,QAAQ,qBAAqBx2C,MAAO65B,EAAIic,aAAcW,WAAW,iBAAiBxc,YAAY,yBAAyBxZ,MAAM,CAAC,aAAaoZ,EAAIoB,EAAE,QAAS,gBAAgB39B,GAAG,CAAC,OAAS,SAAS48B,GAAyD,OAAjDA,EAAOjS,iBAAiBiS,EAAOqC,kBAAyB1C,EAAIkc,SAAS34C,MAAM,KAAMH,UAAU,IAAI,CAAC68B,EAAG,cAAc,CAAClnB,IAAI,cAAc6N,MAAM,CAAC,MAAQoZ,EAAIya,YAAY,WAAY,EAAK,UAAY,EAAE,UAAW,EAAK,MAAQza,EAAI0U,QAAQ,aAAe,QAAQjxC,GAAG,CAAC,eAAe,SAAS48B,GAAQL,EAAI0U,QAAQrU,CAAM,EAAE,MAAQ,CAACL,EAAIkb,mBAAmB,SAAS7a,GAAQ,OAAIA,EAAOz0B,KAAKoL,QAAQ,QAAQgpB,EAAIka,GAAG7Z,EAAO8Z,QAAQ,MAAM,GAAG9Z,EAAO1yB,IAAI,CAAC,MAAM,WAAkB,KAAYqyB,EAAIic,aAAa14C,MAAM,KAAMH,UAAU,OAAO,GAAG68B,EAAGD,EAAI0a,OAAOC,GAAG3a,EAAIG,GAAG,CAACpnB,IAAI,WAAW0S,IAAI,YAAY2U,YAAY,4BAA4BxZ,MAAM,CAAC,cAAcoZ,EAAIua,WAAW,mCAAmC,IAAI92C,GAAG,CAAC,MAAQ,SAAS48B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,YAAYL,EAAI0a,OAAO33B,QAAO,GAAO,CAACkd,EAAG,OAAO,CAACG,YAAY,6BAA6B,CAACH,EAAG,OAAO,CAACG,YAAY,wBAAwByc,SAAS,CAAC,YAAc7c,EAAIxuB,GAAGwuB,EAAIkM,gBAAgBlM,EAAIQ,GAAG,KAAKP,EAAG,OAAO,CAACG,YAAY,2BAA2Byc,SAAS,CAAC,YAAc7c,EAAIxuB,GAAGwuB,EAAIsa,iBAC13C,GACsB,IESpB,EACA,KACA,KACA,MAI8B,QClBhC,gBCoBA,MCpB8G,GDoB9G,CACEx4C,KAAM,kBACNg+B,MAAO,CAAC,SACRrb,MAAO,CACLvY,MAAO,CACLN,KAAME,QAERi0B,UAAW,CACTn0B,KAAME,OACN4Y,QAAS,gBAEXnR,KAAM,CACJ3H,KAAMgT,OACN8F,QAAS,MEff,IAXgB,QACd,ICRW,WAAkB,IAAIsb,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,yCAAyCxZ,MAAM,CAAC,eAAeoZ,EAAI9zB,MAAM,aAAa8zB,EAAI9zB,MAAM,KAAO,OAAOzI,GAAG,CAAC,MAAQ,SAAS48B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BxZ,MAAM,CAAC,KAAOoZ,EAAID,UAAU,MAAQC,EAAIzsB,KAAK,OAASysB,EAAIzsB,KAAK,QAAU,cAAc,CAAC0sB,EAAG,OAAO,CAACrZ,MAAM,CAAC,EAAI,sKAAsK,CAAEoZ,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAIxuB,GAAGwuB,EAAI9zB,UAAU8zB,EAAIzlB,UAC1qB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,QElBuE,GCoBvG,CACEzY,KAAM,WACNg+B,MAAO,CAAC,SACRrb,MAAO,CACLvY,MAAO,CACLN,KAAME,QAERi0B,UAAW,CACTn0B,KAAME,OACN4Y,QAAS,gBAEXnR,KAAM,CACJ3H,KAAMgT,OACN8F,QAAS,MCff,IAXgB,QACd,ICRW,WAAkB,IAAIsb,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,iCAAiCxZ,MAAM,CAAC,eAAeoZ,EAAI9zB,MAAM,aAAa8zB,EAAI9zB,MAAM,KAAO,OAAOzI,GAAG,CAAC,MAAQ,SAAS48B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BxZ,MAAM,CAAC,KAAOoZ,EAAID,UAAU,MAAQC,EAAIzsB,KAAK,OAASysB,EAAIzsB,KAAK,QAAU,cAAc,CAAC0sB,EAAG,OAAO,CAACrZ,MAAM,CAAC,EAAI,0FAA0F,CAAEoZ,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAIxuB,GAAGwuB,EAAI9zB,UAAU8zB,EAAIzlB,UACtlB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,QElB6E,GCoB7G,CACEzY,KAAM,iBACNg+B,MAAO,CAAC,SACRrb,MAAO,CACLvY,MAAO,CACLN,KAAME,QAERi0B,UAAW,CACTn0B,KAAME,OACN4Y,QAAS,gBAEXnR,KAAM,CACJ3H,KAAMgT,OACN8F,QAAS,MCff,IAXgB,QACd,ICRW,WAAkB,IAAIsb,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,wCAAwCxZ,MAAM,CAAC,eAAeoZ,EAAI9zB,MAAM,aAAa8zB,EAAI9zB,MAAM,KAAO,OAAOzI,GAAG,CAAC,MAAQ,SAAS48B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BxZ,MAAM,CAAC,KAAOoZ,EAAID,UAAU,MAAQC,EAAIzsB,KAAK,OAASysB,EAAIzsB,KAAK,QAAU,cAAc,CAAC0sB,EAAG,OAAO,CAACrZ,MAAM,CAAC,EAAI,6IAA6I,CAAEoZ,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAIxuB,GAAGwuB,EAAI9zB,UAAU8zB,EAAIzlB,UAChpB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,QElBsE,GCoBtG,CACEzY,KAAM,UACNg+B,MAAO,CAAC,SACRrb,MAAO,CACLvY,MAAO,CACLN,KAAME,QAERi0B,UAAW,CACTn0B,KAAME,OACN4Y,QAAS,gBAEXnR,KAAM,CACJ3H,KAAMgT,OACN8F,QAAS,MCff,IAXgB,QACd,ICRW,WAAkB,IAAIsb,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,gCAAgCxZ,MAAM,CAAC,eAAeoZ,EAAI9zB,MAAM,aAAa8zB,EAAI9zB,MAAM,KAAO,OAAOzI,GAAG,CAAC,MAAQ,SAAS48B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BxZ,MAAM,CAAC,KAAOoZ,EAAID,UAAU,MAAQC,EAAIzsB,KAAK,OAASysB,EAAIzsB,KAAK,QAAU,cAAc,CAAC0sB,EAAG,OAAO,CAACrZ,MAAM,CAAC,EAAI,0KAA0K,CAAEoZ,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAIxuB,GAAGwuB,EAAI9zB,UAAU8zB,EAAIzlB,UACrqB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,QElB0E,GCoB1G,CACEzY,KAAM,cACNg+B,MAAO,CAAC,SACRrb,MAAO,CACLvY,MAAO,CACLN,KAAME,QAERi0B,UAAW,CACTn0B,KAAME,OACN4Y,QAAS,gBAEXnR,KAAM,CACJ3H,KAAMgT,OACN8F,QAAS,MCff,IAXgB,QACd,ICRW,WAAkB,IAAIsb,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,oCAAoCxZ,MAAM,CAAC,eAAeoZ,EAAI9zB,MAAM,aAAa8zB,EAAI9zB,MAAM,KAAO,OAAOzI,GAAG,CAAC,MAAQ,SAAS48B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BxZ,MAAM,CAAC,KAAOoZ,EAAID,UAAU,MAAQC,EAAIzsB,KAAK,OAASysB,EAAIzsB,KAAK,QAAU,cAAc,CAAC0sB,EAAG,OAAO,CAACrZ,MAAM,CAAC,EAAI,uLAAuL,CAAEoZ,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAIxuB,GAAGwuB,EAAI9zB,UAAU8zB,EAAIzlB,UACtrB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,QElBsE,GCoBtG,CACEzY,KAAM,UACNg+B,MAAO,CAAC,SACRrb,MAAO,CACLvY,MAAO,CACLN,KAAME,QAERi0B,UAAW,CACTn0B,KAAME,OACN4Y,QAAS,gBAEXnR,KAAM,CACJ3H,KAAMgT,OACN8F,QAAS,MCff,IAXgB,QACd,ICRW,WAAkB,IAAIsb,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,gCAAgCxZ,MAAM,CAAC,eAAeoZ,EAAI9zB,MAAM,aAAa8zB,EAAI9zB,MAAM,KAAO,OAAOzI,GAAG,CAAC,MAAQ,SAAS48B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BxZ,MAAM,CAAC,KAAOoZ,EAAID,UAAU,MAAQC,EAAIzsB,KAAK,OAASysB,EAAIzsB,KAAK,QAAU,cAAc,CAAC0sB,EAAG,OAAO,CAACrZ,MAAM,CAAC,EAAI,gVAAgV,CAAEoZ,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAIxuB,GAAGwuB,EAAI9zB,UAAU8zB,EAAIzlB,UAC30B,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,QElB6E,GCoB7G,CACEzY,KAAM,iBACNg+B,MAAO,CAAC,SACRrb,MAAO,CACLvY,MAAO,CACLN,KAAME,QAERi0B,UAAW,CACTn0B,KAAME,OACN4Y,QAAS,gBAEXnR,KAAM,CACJ3H,KAAMgT,OACN8F,QAAS,MCff,IAXgB,QACd,ICRW,WAAkB,IAAIsb,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,wCAAwCxZ,MAAM,CAAC,eAAeoZ,EAAI9zB,MAAM,aAAa8zB,EAAI9zB,MAAM,KAAO,OAAOzI,GAAG,CAAC,MAAQ,SAAS48B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BxZ,MAAM,CAAC,KAAOoZ,EAAID,UAAU,MAAQC,EAAIzsB,KAAK,OAASysB,EAAIzsB,KAAK,QAAU,cAAc,CAAC0sB,EAAG,OAAO,CAACrZ,MAAM,CAAC,EAAI,mGAAmG,CAAEoZ,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAIxuB,GAAGwuB,EAAI9zB,UAAU8zB,EAAIzlB,UACtmB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,QElBiK,GCuBjM,CACAzY,KAAA,kBACA2iB,MAAA,CACAvY,MAAA,CACAN,KAAAE,OACA4Y,QAAA,IAEAqb,UAAA,CACAn0B,KAAAE,OACA4Y,QAAA,gBAEAnR,KAAA,CACA3H,KAAAgT,OACA8F,QAAA,MClBA,IAXgB,QACd,ICRW,WAAkB,IAAIsb,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,wCAAwCxZ,MAAM,CAAC,eAAeoZ,EAAI9zB,MAAM,aAAa8zB,EAAI9zB,MAAM,KAAO,OAAOzI,GAAG,CAAC,MAAQ,SAAS48B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BxZ,MAAM,CAAC,KAAOoZ,EAAID,UAAU,MAAQC,EAAIzsB,KAAK,OAASysB,EAAIzsB,KAAK,QAAU,cAAc,CAAC0sB,EAAG,OAAO,CAACrZ,MAAM,CAAC,EAAI,gGAAgGoZ,EAAIQ,GAAG,KAAKP,EAAG,OAAO,CAACrZ,MAAM,CAAC,EAAI,8FAA8FoZ,EAAIQ,GAAG,KAAKP,EAAG,OAAO,CAACrZ,MAAM,CAAC,EAAI,gFAAgFoZ,EAAIQ,GAAG,KAAKP,EAAG,OAAO,CAACrZ,MAAM,CAAC,EAAI,gGAAgGoZ,EAAIQ,GAAG,KAAKP,EAAG,OAAO,CAACrZ,MAAM,CAAC,EAAI,kFAAkFoZ,EAAIQ,GAAG,KAAKP,EAAG,OAAO,CAACrZ,MAAM,CAAC,EAAI,4SACpjC,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,QElBqO,ICetPqoB,EAAAA,EAAAA,iBAAgB,CAC3BntC,KAAM,eACNya,WAAY,CACR+oB,iBAAgBA,GAAAA,GAEpB1/B,KAAIA,KACO,CACHk3C,8MAGR,aAAMrb,SACI,KAAKtP,YAEX,MAAMgB,EAAK,KAAK2P,IAAIzP,cAAc,OAClCF,GAAI4pB,eAAe,UAAW,cAClC,EACAnb,QAAS,CACLR,EAACA,GAAAA,sBCrBL,GAAU,CAAC,EAEf,GAAQgB,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,IAAIzC,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMgQ,YAAmBjQ,EAAG,mBAAmB,CAACG,YAAY,uBAAuBxZ,MAAM,CAAC,KAAOoZ,EAAIoB,EAAE,QAAS,YAAY,IAAMpB,EAAI8c,UAC7M,GACsB,IEUpB,EACA,KACA,WACA,MAI8B,QCnByO,GrCmB1PjhB,EAAAA,QAAIta,OAAO,CACtBzf,KAAM,mBACNya,WAAY,CACRygC,iBAAgB,KAChBC,gBAAe,GACfC,gBAAe,GACfC,aAAY,GACZC,SAAQ,GACR1M,WAAU,GACV2M,eAAc,GACdC,QAAO,GACPC,SAAQ,KACRC,YAAW,GACXC,QAAOA,IAEXh5B,MAAO,CACHoD,OAAQ,CACJjc,KAAMvL,OACNmrB,UAAU,GAEdkyB,SAAU,CACN9xC,KAAMwU,QACNsE,SAAS,GAEb+yB,SAAU,CACN7rC,KAAMwU,QACNsE,SAAS,IAGjBvM,MAAKA,KAEM,CACHmrB,gBAFoBD,OAK5Bz9B,KAAIA,KACO,CACH+3C,sBAAkBr6C,IAG1B0Y,SAAU,CACN+qB,MAAAA,GACI,OAAO,KAAKlf,QAAQkf,QAAQv+B,YAChC,EACAo1C,UAAAA,GACI,OAA2C,IAApC,KAAK/1B,OAAO+nB,WAAWiO,QAClC,EACA7a,UAAAA,GACI,OAAO,KAAKM,gBAAgBN,UAChC,EACA8a,YAAAA,GACI,OAA+C,IAAxC,KAAK9a,WAAWE,mBAC3B,EACA6a,UAAAA,GACI,GAAI,KAAKl2B,OAAOjc,OAASuiC,GAAAA,GAASC,OAC9B,OAAO,KAEX,IAA8B,IAA1B,KAAKuP,iBACL,OAAO,KAEX,IACI,MAAMI,EAAa,KAAKl2B,OAAO+nB,WAAWmO,aACnC3gB,EAAAA,GAAAA,aAAY,gCAAiC,CAC5C2J,OAAQ,KAAKA,SAEf39B,EAAM,IAAIkC,IAAIrH,OAAOoH,SAASD,OAAS2yC,GAO7C,OALA30C,EAAI40C,aAAanqC,IAAI,IAAK,KAAK4jC,SAAW,MAAQ,MAClDruC,EAAI40C,aAAanqC,IAAI,IAAK,KAAK4jC,SAAW,MAAQ,MAClDruC,EAAI40C,aAAanqC,IAAI,eAAgB,QAErCzK,EAAI40C,aAAanqC,IAAI,KAA2B,IAAtB,KAAKiqC,aAAwB,IAAM,KACtD10C,EAAI+B,IACf,CACA,MAAOpF,GACH,OAAO,IACX,CACJ,EACAk4C,WAAAA,GACI,YsCrEgD36C,ItCqEhC,KAAKukB,OsCrEjB+nB,WAAW,6BtCsEJsO,GAEJ,IACX,EACAC,aAAAA,GACI,GAAI,KAAKt2B,OAAOjc,OAASuiC,GAAAA,GAASC,OAC9B,OAAO,KAGX,GAAkD,IAA9C,KAAKvmB,QAAQ+nB,aAAa,gBAC1B,OAAO0N,GAGX,GAAI,KAAKz1B,QAAQ+nB,aAAa,UAC1B,OAAO6N,GAGX,MAAMW,EAAa/9C,OAAO2R,OAAO,KAAK6V,QAAQ+nB,aAAa,gBAAkB,CAAC,GAAG/vB,OACjF,GAAIu+B,EAAWhU,MAAKx+B,GAAQA,IAASyyC,GAAAA,EAAUC,iBAAmB1yC,IAASyyC,GAAAA,EAAUE,mBACjF,OAAOhB,GAAAA,EAGX,GAAIa,EAAW57C,OAAS,EACpB,OAAOy6C,GAEX,OAAQ,KAAKp1B,QAAQ+nB,aAAa,eAC9B,IAAK,WACL,IAAK,mBACD,OAAO4N,GACX,IAAK,QACD,OAAOR,GAAAA,EACX,IAAK,aACD,OAAOE,GAEf,OAAO,IACX,GAEJtb,QAAS,CACLmN,KAAAA,IACkC,IAA1B,KAAK4O,kBAA6B,KAAK1M,MAAMC,aAC7C,KAAKD,MAAMC,WAAWsN,IAAM,IAGhC,KAAKb,sBAAmBr6C,CAC5B,EACA89B,EAACA,GAAAA,MuC9HT,IAXgB,QACd,IvCRW,WAAkB,IAAIpB,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMgQ,YAAmBjQ,EAAG,OAAO,CAACG,YAAY,wBAAwB,CAAsB,WAApBJ,EAAInY,OAAOjc,KAAmB,CAAEo0B,EAAI0d,SAAU1d,EAAIye,GAAG,GAAG,CAACze,EAAIye,GAAG,GAAGze,EAAIQ,GAAG,KAAMR,EAAIme,cAAele,EAAGD,EAAIme,cAAc,CAAC1yB,IAAI,cAAc2U,YAAY,iCAAiCJ,EAAIzlB,OAAQylB,EAAI+d,aAAuC,IAAzB/d,EAAI2d,iBAA2B1d,EAAG,MAAM,CAAClnB,IAAI,aAAaqnB,YAAY,+BAA+BtT,MAAM,CAAC,wCAAiE,IAAzBkT,EAAI2d,kBAA4B/2B,MAAM,CAAC,IAAM,GAAG,QAAU,OAAO,IAAMoZ,EAAI+d,YAAYt6C,GAAG,CAAC,MAAQ,SAAS48B,GAAQL,EAAI2d,kBAAmB,CAAI,EAAE,KAAO,SAAStd,GAAQL,EAAI2d,kBAAmB,CAAK,KAAK3d,EAAIye,GAAG,GAAGze,EAAIQ,GAAG,KAAMR,EAAI4d,WAAY3d,EAAG,OAAO,CAACG,YAAY,iCAAiC,CAACJ,EAAIye,GAAG,IAAI,GAAGze,EAAIzlB,KAAKylB,EAAIQ,GAAG,KAAMR,EAAIie,YAAahe,EAAGD,EAAIie,YAAY,CAACxyB,IAAI,cAAc2U,YAAY,oEAAoEJ,EAAIzlB,MAAM,EAC19B,GACsB,CAAC,WAAY,IAAa0lB,EAALn/B,KAAYo/B,MAAMD,GAAgC,OAAlDn/B,KAAgCo/B,MAAMgQ,YAAmBjQ,EAAG,iBACvG,EAAE,WAAY,IAAaA,EAALn/B,KAAYo/B,MAAMD,GAAgC,OAAlDn/B,KAAgCo/B,MAAMgQ,YAAmBjQ,EAAG,aAClF,EAAE,WAAY,IAAaA,EAALn/B,KAAYo/B,MAAMD,GAAgC,OAAlDn/B,KAAgCo/B,MAAMgQ,YAAmBjQ,EAAG,WAClF,EAAE,WAAY,IAAaA,EAALn/B,KAAYo/B,MAAMD,GAAgC,OAAlDn/B,KAAgCo/B,MAAMgQ,YAAmBjQ,EAAG,eAClF,IuCKE,EACA,KACA,KACA,MAI8B,QjFQhCpE,EAAAA,QAAI6iB,UAAU,iBAAkBC,GAAAA,IAChC,UAAe1P,EAAAA,EAAAA,iBAAgB,CAC3BntC,KAAM,YACNya,WAAY,CACR26B,oBAAmB,GACnB0H,iBAAgB,GAChBC,kBAAiB,GACjBC,cAAa,GACbC,iBAAgB,GAChBC,WAAUA,GAAAA,GAEdv6B,MAAO,CACHw6B,iBAAkB,CACdrzC,KAAMwU,QACNsE,SAAS,GAEbw6B,gBAAiB,CACbtzC,KAAMwU,QACNsE,SAAS,GAEbmD,OAAQ,CACJjc,KAAM,CAACwiC,GAAAA,GAAQ+Q,GAAAA,GAAQC,GAAAA,IACvB5zB,UAAU,GAEd8gB,MAAO,CACH1gC,KAAMlJ,MACN8oB,UAAU,GAEd+rB,eAAgB,CACZ3rC,KAAMgT,OACN8F,QAAS,GAEb26B,QAAS,CACLzzC,KAAMwU,QACNsE,SAAS,IAGjBvM,MAAKA,KAMM,CACHmnC,iBANqB/I,KAOrBgJ,cANkB9I,KAOlBpH,WANexC,KAOf+J,cANkBD,KAOlByC,eANmB3K,OAS3B7oC,KAAIA,KACO,CACH4xC,QAAS,GACTkG,UAAU,IAGlB1hC,SAAU,CAKNwjC,YAAAA,GAOI,MAAO,IANc,KAAKjF,WACpB,CAAC,EACD,CACEkF,UAAW,KAAKC,YAChBhC,SAAU,KAAKiC,YAInBC,YAAa,KAAKC,aAClBC,UAAW,KAAKC,YAChBC,QAAS,KAAKC,UACdC,KAAM,KAAKC,OAEnB,EACAza,WAAAA,GACI,OAAO,KAAKG,YAAYqI,MAC5B,EACAkS,OAAAA,GAEI,OAAI,KAAK7I,eAAiB,KAAO,KAAK8H,QAC3B,GAEJ,KAAK3Z,aAAa0a,SAAW,EACxC,EACAzI,UAAAA,GAEI,OAAQ,KAAK1yB,QAAQ3F,OAAOwnB,KAAKt+B,YAAc,KAAKqE,QAAQ,WAAY,KAC5E,EACAwzC,aAAAA,GACI,OAAO,KAAKp7B,OAAOlC,QAAQgkB,QAAU,KAAK9hB,OAAO3F,OAAOynB,QAAU,IACtE,EACAA,MAAAA,GACI,OAAO,KAAKlf,QAAQkf,QAAQv+B,YAChC,EACA83C,QAAAA,GACI,OAAOlK,GAAS,KAAKvuB,OAAOA,OAChC,EACA+vB,SAAAA,GACI,OAAO,KAAK/vB,OAAO3d,SAAW4pC,GAAAA,GAAWC,OAC7C,EACAuG,SAAAA,GACI,OAAI,KAAKzyB,OAAO+nB,YAAY1D,aACjB0I,EAAAA,GAAAA,SAAQ,KAAK/sB,OAAO+nB,WAAW1D,aAEnC,KAAKrkB,OAAOyyB,WAAa,EACpC,EACApO,WAAAA,GACI,MAAMyI,EAAM,KAAK2F,UACXx4C,EAAQ,KAAK+lB,OAAO+nB,WAAW1D,aAC9B,KAAKrkB,OAAOgoB,SAEnB,OAAQ8E,EAAa7yC,EAAKG,MAAM,EAAG,EAAI0yC,EAAInyC,QAA7BV,CAClB,EACAyR,IAAAA,GACI,MAAMA,EAAOy9B,SAAS,KAAKnpB,OAAOtU,KAAM,KAAO,EAC/C,MAAoB,iBAATA,GAAqBA,EAAO,GAC5B6tB,EAAAA,GAAAA,IAAE,QAAS,YAEfJ,EAAAA,GAAAA,IAAeztB,GAAM,EAChC,EACAgtC,WAAAA,GACI,MACMhtC,EAAOy9B,SAAS,KAAKnpB,OAAOtU,KAAM,KAAO,EAC/C,OAAKA,GAAQA,EAAO,EACT,CAAC,EAGL,CACHzD,MAAQ,6CAFEunB,KAAKmpB,MAAMnpB,KAAKuL,IAAI,IAAK,IAAMvL,KAAKopB,IAAK,KAAK54B,OAAOtU,KAL5C,SAKoE,wCAI/F,EACAmtC,YAAAA,GACI,MAAMC,EAAiB,QACjBC,EAAQ,KAAK/4B,OAAO+4B,OAAOtX,YACjC,IAAKsX,EACD,MAAO,CAAC,EAGZ,MAAMC,EAAQxpB,KAAKmpB,MAAMnpB,KAAKuL,IAAI,IAAK,KAAO+d,GAAkBj6C,KAAKJ,MAAQs6C,IAAUD,IACvF,OAAIE,EAAQ,EACD,CAAC,EAEL,CACH/wC,MAAQ,6CAA4C+wC,qCAE5D,EACAC,UAAAA,GACI,OAAI,KAAKj5B,OAAO+4B,MACLG,KAAO,KAAKl5B,OAAO+4B,OAAOI,OAAO,OAErC,EACX,EACAC,aAAAA,GACI,OAAO,KAAK1B,cAAc7I,QAC9B,EACA8C,aAAAA,GACI,OAAO,KAAKJ,eAAe1K,QAC/B,EACA+K,UAAAA,GACI,OAAO,KAAKD,cAAcryC,SAAS,KAAK4/B,OAC5C,EACAwT,UAAAA,GACI,OAAO,KAAK3D,cAAcC,eAAiB,KAAKhvB,MACpD,EACA2yB,qBAAAA,GACI,OAAO,KAAKD,YAAc,KAAKhD,eAAiB,GACpD,EACApqB,QAAAA,GACI,OAAO,KAAK4Z,SAAW,KAAKsZ,eAAe73C,YAC/C,EACA04C,OAAAA,GACI,GAAI,KAAK3G,WACL,OAAO,EAEX,MAAM2G,EAAW92C,GACsC,IAA3CA,GAAMoiC,YAAcC,GAAAA,GAAW0G,QAG3C,OAAI,KAAKqG,cAAch3C,OAAS,EACd,KAAKg3C,cAAczmC,KAAIg0B,GAAU,KAAKsI,WAAWrC,QAAQjG,KAC1DljB,MAAMq9B,GAEhBA,EAAQ,KAAKr5B,OACxB,EACAs5B,OAAAA,GACI,OAAI,KAAKt5B,OAAOjc,OAASuiC,GAAAA,GAASC,SAI9B,KAAK6S,cAAc95C,SAAS,KAAK4/B,SAGoB,IAAjD,KAAKlf,OAAO2kB,YAAcC,GAAAA,GAAWiJ,OACjD,EACAgD,WAAY,CACR7xC,GAAAA,GACI,OAAO,KAAKy4C,iBAAiB9I,SAAW,KAAK8J,QACjD,EACAzsC,GAAAA,CAAI2iC,GAEA,GAAIA,EAAQ,CAGR,MAAMjK,EAAO,KAAK6U,MAAMte,IACxByJ,EAAK3Y,MAAMytB,eAAe,iBAC1B9U,EAAK3Y,MAAMytB,eAAe,gBAC9B,CACA,KAAK/B,iBAAiB9I,OAASA,EAAS,KAAK8J,SAAW,IAC5D,IAGR1qC,MAAO,CAKHiS,MAAAA,GACI,KAAKy5B,YACT,GAEJ7c,aAAAA,GACI,KAAK6c,YACT,EACA1f,QAAS,CACL0f,UAAAA,GAEI,KAAK9J,QAAU,GACf,KAAKvG,MAAMG,QAAQrC,QAEnB,KAAK2J,YAAa,CACtB,EAEAmH,YAAAA,CAAa5+C,GAET,GAAI,KAAKy3C,WACL,OAEJ,MAAMnM,EAAO,KAAK6U,MAAMte,IAClBye,EAAchV,EAAK/Y,wBAGzB+Y,EAAK3Y,MAAM4tB,YAAY,gBAAiBnqB,KAAKD,IAAImqB,EAAY5kC,KAAM0a,KAAKuL,IAAI3hC,EAAMwgD,QAASxgD,EAAMwgD,QAAU,MAAQ,MACnHlV,EAAK3Y,MAAM4tB,YAAY,gBAAiBnqB,KAAKD,IAAImqB,EAAY7tB,IAAKzyB,EAAMygD,QAAUH,EAAY7tB,KAAO,MAErG,MAAMiuB,EAAwB,KAAKnI,cAAch3C,OAAS,EAC1D,KAAK88C,iBAAiB9I,OAAS,KAAKiD,YAAckI,EAAwB,SAAW,KAAKrB,SAE1Fr/C,EAAMmtB,iBACNntB,EAAMyhC,iBACV,EACAwW,iBAAAA,CAAkBj4C,GACd,GAAIA,EAAM6sB,SAAW7sB,EAAM2sB,QAGvB,OAFA3sB,EAAMmtB,iBACNnqB,OAAOuF,MAAK4zB,EAAAA,GAAAA,aAAY,cAAe,CAAEuS,OAAQ,KAAK5I,WAC/C,EAEX,KAAKkK,MAAM/gC,QAAQgpC,kBAAkBj4C,EACzC,EACA2gD,sBAAAA,CAAuB3gD,GACnBA,EAAMmtB,iBACNntB,EAAMyhC,kBACFmf,IAAexV,UAAU,CAAC,KAAKxkB,QAAS,KAAK6d,cAC7Cmc,GAAcvjC,KAAK,KAAKuJ,OAAQ,KAAK6d,YAAa,KAAKiS,WAE/D,EACAgI,UAAAA,CAAW1+C,GACP,KAAKy8C,SAAW,KAAKyD,QAChB,KAAKA,QAKNlgD,EAAM6sB,QACN7sB,EAAM6gD,aAAaC,WAAa,OAGhC9gD,EAAM6gD,aAAaC,WAAa,OARhC9gD,EAAM6gD,aAAaC,WAAa,MAUxC,EACAhC,WAAAA,CAAY9+C,GAGR,MAAMitB,EAAgBjtB,EAAMitB,cACxBA,GAAe8zB,SAAS/gD,EAAMghD,iBAGlC,KAAKvE,UAAW,EACpB,EACA,iBAAMgC,CAAYz+C,GAEd,GADAA,EAAMyhC,mBACD,KAAKwe,QAGN,OAFAjgD,EAAMmtB,sBACNntB,EAAMyhC,kBAGVT,GAAOkE,MAAM,eAAgB,CAAEllC,UAE/BA,EAAM6gD,cAAcI,cAEpB,KAAKtL,cAAcnlC,SAGf,KAAK+nC,cAAcryC,SAAS,KAAK4/B,QACjC,KAAKwY,cAAc1rC,IAAI,KAAK2lC,eAG5B,KAAK+F,cAAc1rC,IAAI,CAAC,KAAKkzB,SAEjC,MAAMuF,EAAQ,KAAKiT,cAAc7I,SAC5B3jC,KAAIg0B,GAAU,KAAKsI,WAAWrC,QAAQjG,KACrCob,QAAc1Q,GAAsBnF,GAC1CrrC,EAAM6gD,cAAcM,aAAaD,GAAQ,IAAK,GAClD,EACAlC,SAAAA,GACI,KAAKV,cAAcxQ,QACnB,KAAK2O,UAAW,EAChBzb,GAAOkE,MAAM,aACjB,EACA,YAAMga,CAAOl/C,GAET,IAAK,KAAKggD,gBAAkBhgD,EAAM6gD,cAAc7wC,OAAOzO,OACnD,OAMJ,GAJAvB,EAAMmtB,iBACNntB,EAAMyhC,mBAGD,KAAKye,SAA4B,IAAjBlgD,EAAMgtB,OACvB,OAEJ,MAAMo0B,EAASphD,EAAM6sB,QAIrB,GAHA,KAAK4vB,UAAW,EAChBzb,GAAOkE,MAAM,UAAW,CAAEllC,QAAO4tC,UAAW,KAAKoS,gBAE7ChgD,EAAM6gD,cAAc7wC,OAAOzO,OAAS,EAAG,CACvC,MAAMwsC,GAAWsT,EAAAA,GAAAA,KAKjB,OAJArhD,EAAM6gD,aAAa7wC,MAAMgB,SAASf,IAC9B89B,EAASuT,QAAO7lC,EAAAA,GAAAA,MAAK,KAAKmL,OAAOlU,KAAMzC,EAAKpP,MAAOoP,EAAK,SAE5D+wB,GAAOkE,MAAO,sBAAqB,KAAKte,OAAOlU,OAEnD,CACc,KAAKstC,cAAcluC,KAAIg0B,GAAU,KAAKsI,WAAWrC,QAAQjG,KACjE90B,SAAQ,UACV4pB,EAAAA,QAAAA,IAAQzxB,EAAM,SAAU0pC,GAAAA,GAAWC,SACnC,UAEUJ,GAAqBvpC,EAAM,KAAKyd,OAAQw6B,EAASrP,GAAeU,KAAOV,GAAeS,KAChG,CACA,MAAO1pC,GACHk4B,GAAOl4B,MAAM,0BAA2B,CAAEA,UACtCs4C,GACAngB,EAAAA,GAAAA,KAAUd,EAAAA,GAAAA,IAAE,QAAS,mCAAoC,CAAElwB,KAAM9G,EAAKylC,SAAU7iC,QAASjD,EAAMiD,SAAW,OAG1Gk1B,EAAAA,GAAAA,KAAUd,EAAAA,GAAAA,IAAE,QAAS,mCAAoC,CAAElwB,KAAM9G,EAAKylC,SAAU7iC,QAASjD,EAAMiD,SAAW,KAElH,CAAC,QAEG6uB,EAAAA,QAAAA,IAAQzxB,EAAM,cAAU9G,EAC5B,KAIA,KAAK29C,cAAc7W,MAAKrD,GAAU,KAAKyS,cAAcryC,SAAS4/B,OAC9D9E,GAAOkE,MAAM,gDACb,KAAKiT,eAAerK,QAE5B,EACA3N,EAAC,MACDJ,eAAcA,GAAAA,MkF/YmO,MCkBzP,IAXgB,QACd,InFRW,WAAkB,IAAIhB,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMgQ,YAAmBjQ,EAAG,KAAKD,EAAIwiB,GAAG,CAACpiB,YAAY,kBAAkBtT,MAAM,CAAC,4BAA6BkT,EAAI0d,SAAU,2BAA4B1d,EAAI4X,WAAWhxB,MAAM,CAAC,yBAAyB,GAAG,gCAAgCoZ,EAAI+G,OAAO,8BAA8B/G,EAAInY,OAAOgoB,SAAS,UAAY7P,EAAIkhB,UAAUlhB,EAAIwf,cAAc,CAAExf,EAAInY,OAAO+nB,WAAWkI,OAAQ7X,EAAG,OAAO,CAACG,YAAY,4BAA4BJ,EAAIzlB,KAAKylB,EAAIQ,GAAG,KAAKP,EAAG,oBAAoB,CAACrZ,MAAM,CAAC,OAASoZ,EAAI+G,OAAO,aAAa/G,EAAI4X,UAAU,MAAQ5X,EAAIsM,MAAM,OAAStM,EAAInY,UAAUmY,EAAIQ,GAAG,KAAKP,EAAG,KAAK,CAACG,YAAY,uBAAuBxZ,MAAM,CAAC,8BAA8B,KAAK,CAACqZ,EAAG,mBAAmB,CAAClnB,IAAI,UAAU6N,MAAM,CAAC,OAASoZ,EAAInY,OAAO,SAAWmY,EAAI0d,UAAUtN,SAAS,CAAC,MAAQ,SAAS/P,GAAQ,OAAOL,EAAIkZ,kBAAkB31C,MAAM,KAAMH,UAAU,KAAK48B,EAAIQ,GAAG,KAAKP,EAAG,gBAAgB,CAAClnB,IAAI,OAAO6N,MAAM,CAAC,eAAeoZ,EAAIkM,YAAY,UAAYlM,EAAIsa,UAAU,mBAAmBta,EAAIuX,eAAe,MAAQvX,EAAIsM,MAAM,OAAStM,EAAInY,QAAQpkB,GAAG,CAAC,MAAQu8B,EAAIkZ,sBAAsB,GAAGlZ,EAAIQ,GAAG,KAAKP,EAAG,mBAAmB,CAACyc,WAAW,CAAC,CAAC56C,KAAK,OAAO66C,QAAQ,SAASx2C,OAAQ65B,EAAIwa,sBAAuBoC,WAAW,2BAA2B7jC,IAAI,UAAU+T,MAAO,2BAA0BkT,EAAIsgB,WAAW15B,MAAM,CAAC,mBAAmBoZ,EAAIuX,eAAe,QAAUvX,EAAIwX,QAAQ,OAASxX,EAAI0Y,WAAW,OAAS1Y,EAAInY,QAAQpkB,GAAG,CAAC,iBAAiB,SAAS48B,GAAQL,EAAIwX,QAAQnX,CAAM,EAAE,gBAAgB,SAASA,GAAQL,EAAI0Y,WAAWrY,CAAM,KAAKL,EAAIQ,GAAG,MAAOR,EAAIqf,SAAWrf,EAAIkf,gBAAiBjf,EAAG,KAAK,CAACG,YAAY,uBAAuBxM,MAAOoM,EAAIugB,YAAa35B,MAAM,CAAC,8BAA8B,IAAInjB,GAAG,CAAC,MAAQu8B,EAAI4hB,yBAAyB,CAAC3hB,EAAG,OAAO,CAACD,EAAIQ,GAAGR,EAAIxuB,GAAGwuB,EAAIzsB,WAAWysB,EAAIzlB,KAAKylB,EAAIQ,GAAG,MAAOR,EAAIqf,SAAWrf,EAAIif,iBAAkBhf,EAAG,KAAK,CAACG,YAAY,wBAAwBxM,MAAOoM,EAAI0gB,aAAc95B,MAAM,CAAC,+BAA+B,IAAInjB,GAAG,CAAC,MAAQu8B,EAAI4hB,yBAAyB,CAAC3hB,EAAG,aAAa,CAACrZ,MAAM,CAAC,UAAYoZ,EAAInY,OAAO+4B,MAAM,kBAAiB,MAAS,GAAG5gB,EAAIzlB,KAAKylB,EAAIQ,GAAG,KAAKR,EAAIgF,GAAIhF,EAAIogB,SAAS,SAASqC,GAAQ,OAAOxiB,EAAG,KAAK,CAACtyB,IAAI80C,EAAOt9C,GAAGi7B,YAAY,gCAAgCtT,MAAO,mBAAkBkT,EAAI0F,aAAavgC,MAAMs9C,EAAOt9C,KAAKyhB,MAAM,CAAC,uCAAuC67B,EAAOt9C,IAAI1B,GAAG,CAAC,MAAQu8B,EAAI4hB,yBAAyB,CAAC3hB,EAAG,sBAAsB,CAACrZ,MAAM,CAAC,eAAeoZ,EAAI0F,YAAY,OAAS+c,EAAO99B,OAAO,OAASqb,EAAInY,WAAW,EAAE,KAAI,EACz9E,GACsB,ImFSpB,EACA,KACA,KACA,MAI8B,QCKhCgU,EAAAA,QAAI6iB,UAAU,iBAAkBC,GAAAA,IAChC,SAAe9iB,EAAAA,QAAIta,OAAO,CACtBzf,KAAM,gBACNya,WAAY,CACRqiC,iBAAgB,GAChBC,kBAAiB,GACjBC,cAAa,GACbC,iBAAgBA,IAEpB2D,cAAc,EACdj+B,MAAO,CACHoD,OAAQ,CACJjc,KAAM,CAACwiC,GAAAA,GAAQ+Q,GAAAA,GAAQC,GAAAA,IACvB5zB,UAAU,GAEd8gB,MAAO,CACH1gC,KAAMlJ,MACN8oB,UAAU,GAEd+rB,eAAgB,CACZ3rC,KAAMgT,OACN8F,QAAS,IAGjBvM,MAAKA,KAMM,CACHmnC,iBANqB/I,KAOrBgJ,cANkB9I,KAOlBpH,WANexC,KAOf+J,cANkBD,KAOlByC,eANmB3K,OAS3B7oC,KAAIA,KACO,CACH4xC,QAAS,GACTkG,UAAU,IAGlB1hC,SAAU,CACN0pB,WAAAA,GACI,OAAO,KAAKG,YAAYqI,MAC5B,EACAyJ,UAAAA,GAEI,OAAQ,KAAK1yB,QAAQ3F,OAAOwnB,KAAKt+B,YAAc,KAAKqE,QAAQ,WAAY,KAC5E,EACAwzC,aAAAA,GACI,OAAO,KAAKp7B,OAAOlC,QAAQgkB,QAAU,KAAK9hB,OAAO3F,OAAOynB,QAAU,IACtE,EACAA,MAAAA,GACI,OAAO,KAAKlf,QAAQkf,QAAQv+B,YAChC,EACA83C,QAAAA,GACI,OAAOlK,GAAS,KAAKvuB,OAAOA,OAChC,EACA+vB,SAAAA,GACI,OAAO,KAAK/vB,OAAO3d,SAAW4pC,GAAAA,GAAWC,OAC7C,EACAuG,SAAAA,GACI,OAAI,KAAKzyB,OAAO+nB,YAAY1D,aACjB0I,EAAAA,GAAAA,SAAQ,KAAK/sB,OAAO+nB,WAAW1D,aAEnC,KAAKrkB,OAAOyyB,WAAa,EACpC,EACApO,WAAAA,GACI,MAAMyI,EAAM,KAAK2F,UACXx4C,EAAQ,KAAK+lB,OAAO+nB,WAAW1D,aAC9B,KAAKrkB,OAAOgoB,SAEnB,OAAQ8E,EAAa7yC,EAAKG,MAAM,EAAG,EAAI0yC,EAAInyC,QAA7BV,CAClB,EACAm/C,aAAAA,GACI,OAAO,KAAK1B,cAAc7I,QAC9B,EACA8C,aAAAA,GACI,OAAO,KAAKJ,eAAe1K,QAC/B,EACA+K,UAAAA,GACI,OAAO,KAAKD,cAAcryC,SAAS,KAAK4/B,OAC5C,EACAwT,UAAAA,GACI,OAAO,KAAK3D,cAAcC,eAAiB,KAAKhvB,MACpD,EACAsF,QAAAA,GACI,OAAO,KAAK4Z,SAAW,KAAKsZ,eAAe73C,YAC/C,EACA04C,OAAAA,GACI,MAAMA,EAAW92C,GACsC,IAA3CA,GAAMoiC,YAAcC,GAAAA,GAAW0G,QAG3C,OAAI,KAAKqG,cAAch3C,OAAS,EACd,KAAKg3C,cAAczmC,KAAIg0B,GAAU,KAAKsI,WAAWrC,QAAQjG,KAC1DljB,MAAMq9B,GAEhBA,EAAQ,KAAKr5B,OACxB,EACAs5B,OAAAA,GACI,OAAI,KAAKt5B,OAAOjc,OAASuiC,GAAAA,GAASC,SAI9B,KAAK6S,cAAc95C,SAAS,KAAK4/B,SAGoB,IAAjD,KAAKlf,OAAO2kB,YAAcC,GAAAA,GAAWiJ,OACjD,EACAgD,WAAY,CACR7xC,GAAAA,GACI,OAAO,KAAKy4C,iBAAiB9I,SAAW,KAAK8J,QACjD,EACAzsC,GAAAA,CAAI2iC,GACA,KAAK8I,iBAAiB9I,OAASA,EAAS,KAAK8J,SAAW,IAC5D,IAGR1qC,MAAO,CAKHiS,MAAAA,GACI,KAAKy5B,YACT,GAEJ7c,aAAAA,GACI,KAAK6c,YACT,EACA1f,QAAS,CACL0f,UAAAA,GAEI,KAAK9J,QAAU,GACf,KAAKvG,MAAMG,QAAQrC,QAEnB,KAAK2J,YAAa,CACtB,EAEAmH,YAAAA,CAAa5+C,GAET,GAAI,KAAKy3C,WACL,OAGJ,MAAMiJ,EAAwB,KAAKnI,cAAch3C,OAAS,EAC1D,KAAK88C,iBAAiB9I,OAAS,KAAKiD,YAAckI,EAAwB,SAAW,KAAKrB,SAE1Fr/C,EAAMmtB,iBACNntB,EAAMyhC,iBACV,EACAwW,iBAAAA,CAAkBj4C,GACd,GAAIA,EAAM6sB,SAAW7sB,EAAM2sB,QAGvB,OAFA3sB,EAAMmtB,iBACNnqB,OAAOuF,MAAK4zB,EAAAA,GAAAA,aAAY,cAAe,CAAEuS,OAAQ,KAAK5I,WAC/C,EAEX,KAAKkK,MAAM/gC,QAAQgpC,kBAAkBj4C,EACzC,EACA2gD,sBAAAA,CAAuB3gD,GACnBA,EAAMmtB,iBACNntB,EAAMyhC,kBACFmf,IAAexV,UAAU,CAAC,KAAKxkB,QAAS,KAAK6d,cAC7Cmc,GAAcvjC,KAAK,KAAKuJ,OAAQ,KAAK6d,YAAa,KAAKiS,WAE/D,EACAgI,UAAAA,CAAW1+C,GACP,KAAKy8C,SAAW,KAAKyD,QAChB,KAAKA,QAKNlgD,EAAM6sB,QACN7sB,EAAM6gD,aAAaC,WAAa,OAGhC9gD,EAAM6gD,aAAaC,WAAa,OARhC9gD,EAAM6gD,aAAaC,WAAa,MAUxC,EACAhC,WAAAA,CAAY9+C,GAGR,MAAMitB,EAAgBjtB,EAAMitB,cACxBA,GAAe8zB,SAAS/gD,EAAMghD,iBAGlC,KAAKvE,UAAW,EACpB,EACA,iBAAMgC,CAAYz+C,GAEd,GADAA,EAAMyhC,mBACD,KAAKwe,QAGN,OAFAjgD,EAAMmtB,sBACNntB,EAAMyhC,kBAGVT,GAAOkE,MAAM,gBAEb,KAAKyQ,cAAcnlC,SAGf,KAAK+nC,cAAcryC,SAAS,KAAK4/B,QACjC,KAAKwY,cAAc1rC,IAAI,KAAK2lC,eAG5B,KAAK+F,cAAc1rC,IAAI,CAAC,KAAKkzB,SAEjC,MAAMuF,EAAQ,KAAKiT,cAAc7I,SAC5B3jC,KAAIg0B,GAAU,KAAKsI,WAAWrC,QAAQjG,KACrCob,QAAc1Q,GAAsBnF,GAC1CrrC,EAAM6gD,cAAcM,aAAaD,GAAQ,IAAK,GAClD,EACAlC,SAAAA,GACI,KAAKV,cAAcxQ,QACnB,KAAK2O,UAAW,EAChBzb,GAAOkE,MAAM,aACjB,EACA,YAAMga,CAAOl/C,GAKT,GAJAA,EAAMmtB,iBACNntB,EAAMyhC,mBAGD,KAAKye,SAA4B,IAAjBlgD,EAAMgtB,OACvB,OAEJ,MAAMo0B,EAASphD,EAAM6sB,QAIrB,GAHA,KAAK4vB,UAAW,EAChBzb,GAAOkE,MAAM,UAAW,CAAEllC,QAAO4tC,UAAW,KAAKoS,gBAE7ChgD,EAAM6gD,cAAc7wC,OAAOzO,OAAS,EAAG,CACvC,MAAMwsC,GAAWsT,EAAAA,GAAAA,KAKjB,OAJArhD,EAAM6gD,aAAa7wC,MAAMgB,SAASf,IAC9B89B,EAASuT,QAAO7lC,EAAAA,GAAAA,MAAK,KAAKmL,OAAOlU,KAAMzC,EAAKpP,MAAOoP,EAAK,SAE5D+wB,GAAOkE,MAAO,sBAAqB,KAAKte,OAAOlU,OAEnD,CACc,KAAKstC,cAAcluC,KAAIg0B,GAAU,KAAKsI,WAAWrC,QAAQjG,KACjE90B,SAAQ,UACV4pB,EAAAA,QAAAA,IAAQzxB,EAAM,SAAU0pC,GAAAA,GAAWC,SACnC,UAEUJ,GAAqBvpC,EAAM,KAAKyd,OAAQw6B,EAASrP,GAAeU,KAAOV,GAAeS,KAChG,CACA,MAAO1pC,GACHk4B,GAAOl4B,MAAM,0BAA2B,CAAEA,UACtCs4C,GACAngB,EAAAA,GAAAA,KAAUd,EAAAA,GAAAA,IAAE,QAAS,mCAAoC,CAAElwB,KAAM9G,EAAKylC,SAAU7iC,QAASjD,EAAMiD,SAAW,OAG1Gk1B,EAAAA,GAAAA,KAAUd,EAAAA,GAAAA,IAAE,QAAS,mCAAoC,CAAElwB,KAAM9G,EAAKylC,SAAU7iC,QAASjD,EAAMiD,SAAW,KAElH,CAAC,QAEG6uB,EAAAA,QAAAA,IAAQzxB,EAAM,cAAU9G,EAC5B,KAIA,KAAK29C,cAAc7W,MAAKrD,GAAU,KAAKyS,cAAcryC,SAAS4/B,OAC9D9E,GAAOkE,MAAM,gDACb,KAAKiT,eAAerK,QAE5B,EACA3N,EAACA,GAAAA,MCnSoP,MCkB7P,IAXgB,QACd,IFRW,WAAkB,IAAIpB,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMgQ,YAAmBjQ,EAAG,KAAK,CAACG,YAAY,kBAAkBtT,MAAM,CAAC,0BAA2BkT,EAAI7S,SAAU,4BAA6B6S,EAAI0d,SAAU,2BAA4B1d,EAAI4X,WAAWhxB,MAAM,CAAC,yBAAyB,GAAG,gCAAgCoZ,EAAI+G,OAAO,8BAA8B/G,EAAInY,OAAOgoB,SAAS,UAAY7P,EAAIkhB,SAASz9C,GAAG,CAAC,YAAcu8B,EAAI6f,aAAa,SAAW7f,EAAI2f,WAAW,UAAY3f,EAAI+f,YAAY,UAAY/f,EAAI0f,YAAY,QAAU1f,EAAIigB,UAAU,KAAOjgB,EAAImgB,SAAS,CAAEngB,EAAInY,OAAO+nB,WAAWkI,OAAQ7X,EAAG,OAAO,CAACG,YAAY,4BAA4BJ,EAAIzlB,KAAKylB,EAAIQ,GAAG,KAAKP,EAAG,oBAAoB,CAACrZ,MAAM,CAAC,OAASoZ,EAAI+G,OAAO,aAAa/G,EAAI4X,UAAU,MAAQ5X,EAAIsM,MAAM,OAAStM,EAAInY,UAAUmY,EAAIQ,GAAG,KAAKP,EAAG,KAAK,CAACG,YAAY,uBAAuBxZ,MAAM,CAAC,8BAA8B,KAAK,CAACqZ,EAAG,mBAAmB,CAAClnB,IAAI,UAAU6N,MAAM,CAAC,SAAWoZ,EAAI0d,SAAS,aAAY,EAAK,OAAS1d,EAAInY,QAAQuoB,SAAS,CAAC,MAAQ,SAAS/P,GAAQ,OAAOL,EAAIkZ,kBAAkB31C,MAAM,KAAMH,UAAU,KAAK48B,EAAIQ,GAAG,KAAKP,EAAG,gBAAgB,CAAClnB,IAAI,OAAO6N,MAAM,CAAC,eAAeoZ,EAAIkM,YAAY,UAAYlM,EAAIsa,UAAU,mBAAmBta,EAAIuX,eAAe,aAAY,EAAK,MAAQvX,EAAIsM,MAAM,OAAStM,EAAInY,QAAQpkB,GAAG,CAAC,MAAQu8B,EAAIkZ,sBAAsB,GAAGlZ,EAAIQ,GAAG,KAAKP,EAAG,mBAAmB,CAAClnB,IAAI,UAAU+T,MAAO,2BAA0BkT,EAAIsgB,WAAW15B,MAAM,CAAC,mBAAmBoZ,EAAIuX,eAAe,aAAY,EAAK,QAAUvX,EAAIwX,QAAQ,OAASxX,EAAI0Y,WAAW,OAAS1Y,EAAInY,QAAQpkB,GAAG,CAAC,iBAAiB,SAAS48B,GAAQL,EAAIwX,QAAQnX,CAAM,EAAE,gBAAgB,SAASA,GAAQL,EAAI0Y,WAAWrY,CAAM,MAAM,EACxpD,GACsB,IESpB,EACA,KACA,KACA,MAI8B,QClBhC,gBAMA,MCN+P,GDM/P,CACIv+B,KAAM,kBACN2iB,MAAO,CACHk+B,OAAQ,CACJ/2C,KAAMvL,OACNmrB,UAAU,GAEdo3B,cAAe,CACXh3C,KAAMvL,OACNmrB,UAAU,GAEdka,YAAa,CACT95B,KAAMvL,OACNmrB,UAAU,IAGlBxP,SAAU,CACNqwB,OAAAA,GACI,OAAO,KAAKsW,OAAOtW,QAAQ,KAAKuW,cAAe,KAAKld,YACxD,GAEJ9vB,MAAO,CACHy2B,OAAAA,CAAQA,GACCA,GAGL,KAAKsW,OAAOrrB,QAAQ,KAAKsrB,cAAe,KAAKld,YACjD,EACAkd,aAAAA,GACI,KAAKD,OAAOrrB,QAAQ,KAAKsrB,cAAe,KAAKld,YACjD,GAEJjE,OAAAA,GACI33B,GAAQq8B,MAAM,UAAW,KAAKwc,OAAOx9C,IACrC,KAAKw9C,OAAOh+B,OAAO,KAAKssB,MAAM4R,MAAO,KAAKD,cAAe,KAAKld,YAClE,GEvBJ,IAXgB,QACd,IFRW,WAAkB,IAAI1F,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,MAAM,CAACyc,WAAW,CAAC,CAAC56C,KAAK,OAAO66C,QAAQ,SAASx2C,MAAO65B,EAAIqM,QAASuQ,WAAW,YAAY9vB,MAAO,sBAAqBkT,EAAI2iB,OAAOx9C,MAAM,CAAC86B,EAAG,OAAO,CAAClnB,IAAI,WAC/N,GACsB,IESpB,EACA,KACA,KACA,MAI8B,QClBoO,GCKrP8iB,EAAAA,QAAIta,OAAO,CACtBzf,KAAM,uBACNya,WAAY,CAAC,EACbkI,MAAO,CACHw6B,iBAAkB,CACdrzC,KAAMwU,QACNsE,SAAS,GAEbw6B,gBAAiB,CACbtzC,KAAMwU,QACNsE,SAAS,GAEb4nB,MAAO,CACH1gC,KAAMlJ,MACN8oB,UAAU,GAEdqlB,QAAS,CACLjlC,KAAME,OACN4Y,QAAS,IAEb6yB,eAAgB,CACZ3rC,KAAMgT,OACN8F,QAAS,IAGjBvM,KAAAA,GACI,MAAM01B,EAAaD,KAEnB,MAAO,CACHyB,WAFexC,KAGfgB,aAER,EACA7xB,SAAU,CACN0pB,WAAAA,GACI,OAAO,KAAKG,YAAYqI,MAC5B,EACApH,GAAAA,GAEI,OAAQ,KAAK7hB,QAAQ3F,OAAOwnB,KAAO,KAAKj6B,QAAQ,WAAY,KAChE,EACA+1C,aAAAA,GACI,IAAK,KAAKld,aAAavgC,GACnB,OAEJ,GAAiB,MAAb,KAAK2hC,IACL,OAAO,KAAKuI,WAAWlC,QAAQ,KAAKzH,YAAYvgC,IAEpD,MAAMwqC,EAAS,KAAK9B,WAAWE,QAAQ,KAAKrI,YAAYvgC,GAAI,KAAK2hC,KACjE,OAAO,KAAKuI,WAAWrC,QAAQ2C,EACnC,EACAyQ,OAAAA,GAEI,OAAI,KAAK7I,eAAiB,IACf,GAEJ,KAAK7R,aAAa0a,SAAW,EACxC,EACAtP,SAAAA,GAEI,OAAI,KAAK8R,eAAervC,MACbytB,EAAAA,GAAAA,IAAe,KAAK4hB,cAAcrvC,MAAM,IAG5CytB,EAAAA,GAAAA,IAAe,KAAKsL,MAAM99B,QAAO,CAACuiC,EAAO3mC,IAAS2mC,EAAQ3mC,EAAKmJ,MAAQ,GAAG,IAAI,EACzF,GAEJquB,QAAS,CACLkhB,cAAAA,CAAeL,GACX,MAAO,CACH,iCAAiC,EACjC,CAAE,mBAAkB,KAAK/c,YAAYvgC,MAAMs9C,EAAOt9C,OAAO,EAEjE,EACAi8B,EAAGe,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,IAAIzC,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMgQ,YAAmBjQ,EAAG,KAAK,CAACA,EAAG,KAAK,CAACG,YAAY,4BAA4B,CAACH,EAAG,OAAO,CAACG,YAAY,mBAAmB,CAACJ,EAAIQ,GAAGR,EAAIxuB,GAAGwuB,EAAIoB,EAAE,QAAS,4BAA4BpB,EAAIQ,GAAG,KAAKP,EAAG,KAAK,CAACG,YAAY,wBAAwB,CAACH,EAAG,OAAO,CAACG,YAAY,yBAAyBJ,EAAIQ,GAAG,KAAKP,EAAG,OAAO,CAACD,EAAIQ,GAAGR,EAAIxuB,GAAGwuB,EAAI6Q,cAAc7Q,EAAIQ,GAAG,KAAKP,EAAG,KAAK,CAACG,YAAY,4BAA4BJ,EAAIQ,GAAG,KAAMR,EAAIkf,gBAAiBjf,EAAG,KAAK,CAACG,YAAY,2CAA2C,CAACH,EAAG,OAAO,CAACD,EAAIQ,GAAGR,EAAIxuB,GAAGwuB,EAAI8Q,gBAAgB9Q,EAAIzlB,KAAKylB,EAAIQ,GAAG,KAAMR,EAAIif,iBAAkBhf,EAAG,KAAK,CAACG,YAAY,6CAA6CJ,EAAIzlB,KAAKylB,EAAIQ,GAAG,KAAKR,EAAIgF,GAAIhF,EAAIogB,SAAS,SAASqC,GAAQ,OAAOxiB,EAAG,KAAK,CAACtyB,IAAI80C,EAAOt9C,GAAG2nB,MAAMkT,EAAI8iB,eAAeL,IAAS,CAACxiB,EAAG,OAAO,CAACD,EAAIQ,GAAGR,EAAIxuB,GAAGixC,EAAO5R,UAAU7Q,EAAIsM,MAAOtM,EAAI0F,kBAAkB,KAAI,EACt6B,GACsB,IEUpB,EACA,KACA,WACA,MAI8B,QCGhC,GAAe7J,EAAAA,QAAIta,OAAO,CACtB3b,KAAIA,KACO,CACH2xC,eAAgB,OAGxB9V,OAAAA,GACI,MAAMshB,EAAax4C,SAAS8oB,cAAc,oBAC1CvyB,KAAKy2C,eAAiBwL,GAAYC,aAAe,KACjDliD,KAAKmiD,gBAAkB,IAAIC,gBAAgB3kC,IACnCA,EAAQ/b,OAAS,GAAK+b,EAAQ,GAAGzZ,SAAWi+C,IAC5CjiD,KAAKy2C,eAAiBh5B,EAAQ,GAAGgjC,YAAY4B,MACjD,IAEJriD,KAAKmiD,gBAAgBG,QAAQL,EACjC,EACAte,aAAAA,GACI3jC,KAAKmiD,gBAAgBI,YACzB,IC1BEnzC,IAAU6mC,EAAAA,GAAAA,MAChB,GAAelb,EAAAA,QAAIta,OAAO,CACtBzf,KAAM,8BACNya,WAAY,CACR66B,UAAS,KACTD,eAAc,KACd7R,iBAAgB,KAChBgS,cAAaA,GAAAA,GAEjBgM,OAAQ,CACJC,IAEJ9+B,MAAO,CACHihB,YAAa,CACT95B,KAAMvL,OACNmrB,UAAU,GAEdg4B,cAAe,CACX53C,KAAMlJ,MACNgiB,QAASA,IAAO,KAGxBvM,MAAKA,KAIM,CACHmnC,iBAJqB/I,KAKrBlH,WAJexC,KAKfuM,eAJmB3K,OAO3B7oC,KAAIA,KACO,CACH4xC,QAAS,OAGjBx7B,SAAU,CACN8qB,GAAAA,GAEI,OAAQ,KAAK7hB,QAAQ3F,OAAOwnB,KAAO,KAAKj6B,QAAQ,WAAY,KAChE,EACAgrC,cAAAA,GACI,OAAO3nC,GACF4C,QAAO3C,GAAUA,EAAOkmC,YACxBvjC,QAAO3C,IAAWA,EAAOk8B,SAAWl8B,EAAOk8B,QAAQ,KAAKC,MAAO,KAAK5G,eACpEhnB,MAAK,CAAC1T,EAAG2T,KAAO3T,EAAE+6B,OAAS,IAAMpnB,EAAEonB,OAAS,IACrD,EACAuG,KAAAA,GACI,OAAO,KAAKkX,cACPzwC,KAAIg0B,GAAU,KAAKiG,QAAQjG,KAC3Bj0B,QAAO1I,GAAQA,GACxB,EACAq5C,mBAAAA,GACI,OAAO,KAAKnX,MAAMlC,MAAKhgC,GAAQA,EAAKF,SAAW4pC,GAAAA,GAAWC,SAC9D,EACA2E,WAAY,CACR7xC,GAAAA,GACI,MAAwC,WAAjC,KAAKy4C,iBAAiB9I,MACjC,EACA3iC,GAAAA,CAAI2iC,GACA,KAAK8I,iBAAiB9I,OAASA,EAAS,SAAW,IACvD,GAEJkN,aAAAA,GACI,OAAI,KAAKnM,eAAiB,IACf,EAEP,KAAKA,eAAiB,IACf,EAEP,KAAKA,eAAiB,KACf,EAEJ,CACX,GAEJ3V,QAAS,CAOLoL,OAAAA,CAAQ2C,GACJ,OAAO,KAAKN,WAAWrC,QAAQ2C,EACnC,EACA,mBAAMoJ,CAAc5oC,GAChB,MAAM+7B,EAAc/7B,EAAO+7B,YAAY,KAAKI,MAAO,KAAK5G,aAClDie,EAAe,KAAKH,cAC1B,IAEI,KAAKhM,QAAUrnC,EAAOhL,GACtB,KAAKmnC,MAAMr6B,SAAQ7H,IACfyxB,EAAAA,QAAAA,IAAQzxB,EAAM,SAAU0pC,GAAAA,GAAWC,QAAQ,IAG/C,MAAM6P,QAAgBzzC,EAAOkmC,UAAU,KAAK/J,MAAO,KAAK5G,YAAa,KAAKoB,KAE1E,IAAK8c,EAAQxZ,MAAKz9B,GAAqB,OAAXA,IAGxB,YADA,KAAKysC,eAAerK,QAIxB,GAAI6U,EAAQxZ,MAAKz9B,IAAqB,IAAXA,IAAmB,CAE1C,MAAMk3C,EAAYF,EACb7wC,QAAO,CAACi0B,EAAQvmB,KAA6B,IAAnBojC,EAAQpjC,KAEvC,GADA,KAAK44B,eAAevlC,IAAIgwC,GACpBD,EAAQxZ,MAAKz9B,GAAqB,OAAXA,IAGvB,OAGJ,YADAu1B,EAAAA,GAAAA,IAAU,KAAKd,EAAE,QAAS,2CAA4C,CAAE8K,gBAE5E,EAEAnH,EAAAA,GAAAA,IAAY,KAAK3D,EAAE,QAAS,qDAAsD,CAAE8K,iBACpF,KAAKkN,eAAerK,OACxB,CACA,MAAOhpC,GACHk8B,GAAOl4B,MAAM,+BAAgC,CAAEoG,SAAQpK,OACvDm8B,EAAAA,GAAAA,IAAU,KAAKd,EAAE,QAAS,gCAAiC,CAAE8K,gBACjE,CAAC,QAGG,KAAKsL,QAAU,KACf,KAAKlL,MAAMr6B,SAAQ7H,IACfyxB,EAAAA,QAAAA,IAAQzxB,EAAM,cAAU9G,EAAU,GAE1C,CACJ,EACA89B,EAAGe,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,IAAIzC,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMgQ,YAAmBjQ,EAAG,MAAM,CAACG,YAAY,oDAAoD,CAACH,EAAG,YAAY,CAAClnB,IAAI,cAAc6N,MAAM,CAAC,WAAaoZ,EAAIwX,SAAWxX,EAAIyjB,oBAAoB,cAAa,EAAK,OAASzjB,EAAI0jB,cAAc,YAAY1jB,EAAI0jB,eAAiB,EAAI1jB,EAAIoB,EAAE,QAAS,WAAa,KAAK,KAAOpB,EAAI0Y,YAAYj1C,GAAG,CAAC,cAAc,SAAS48B,GAAQL,EAAI0Y,WAAWrY,CAAM,IAAIL,EAAIgF,GAAIhF,EAAI6X,gBAAgB,SAAS1nC,GAAQ,OAAO8vB,EAAG,iBAAiB,CAACtyB,IAAIwC,EAAOhL,GAAG2nB,MAAM,iCAAmC3c,EAAOhL,GAAG1B,GAAG,CAAC,MAAQ,SAAS48B,GAAQ,OAAOL,EAAI+Y,cAAc5oC,EAAO,GAAG80B,YAAYjF,EAAIkF,GAAG,CAAC,CAACv3B,IAAI,OAAOhN,GAAG,WAAW,MAAO,CAAEq/B,EAAIwX,UAAYrnC,EAAOhL,GAAI86B,EAAG,gBAAgB,CAACrZ,MAAM,CAAC,KAAO,MAAMqZ,EAAG,mBAAmB,CAACrZ,MAAM,CAAC,IAAMzW,EAAOg8B,cAAcnM,EAAIsM,MAAOtM,EAAI0F,gBAAgB,EAAE39B,OAAM,IAAO,MAAK,IAAO,CAACi4B,EAAIQ,GAAG,WAAWR,EAAIxuB,GAAGrB,EAAO+7B,YAAYlM,EAAIsM,MAAOtM,EAAI0F,cAAc,WAAW,IAAG,IAAI,EACj+B,GACsB,IGUpB,EACA,KACA,WACA,MAIF,SAAe,GAAiB,QCnBhC,2BCyBA,SAAe7J,EAAAA,QAAIta,OAAO,CACtBvF,SAAU,KzK+vDIP,GyK9vDE8hB,GzK8vDQumB,GyK9vDY,CAAC,YAAa,eAAgB,0BzK+vD3DphD,MAAM6L,QAAQu1C,IACfA,GAAat1C,QAAO,CAACu1C,EAASp2C,KAC5Bo2C,EAAQp2C,GAAO,WACX,OAAO8N,GAAS3a,KAAKkjD,QAAQr2C,EACjC,EACOo2C,IACR,CAAC,GACF1jD,OAAO6G,KAAK48C,IAAct1C,QAAO,CAACu1C,EAASp2C,KAEzCo2C,EAAQp2C,GAAO,WACX,MAAMQ,EAAQsN,GAAS3a,KAAKkjD,QACtBC,EAAWH,GAAan2C,GAG9B,MAA2B,mBAAbs2C,EACRA,EAASjiD,KAAKlB,KAAMqN,GACpBA,EAAM81C,EAChB,EACOF,IACR,CAAC,IyKjxDJre,WAAAA,GACI,OAAO5kC,KAAK+kC,YAAYqI,MAC5B,EAIAgW,WAAAA,GACI,OAAOpjD,KAAK08B,UAAU18B,KAAK4kC,YAAYvgC,KAAKg/C,cACrCrjD,KAAK4kC,aAAa0e,gBAClB,UACX,EAIAC,YAAAA,GACI,MAAMC,EAAmBxjD,KAAK08B,UAAU18B,KAAK4kC,YAAYvgC,KAAK84B,kBAC9D,MAA4B,SAArBqmB,CACX,GAEJ1iB,QAAS,CACL2iB,YAAAA,CAAa52C,GAEL7M,KAAKojD,cAAgBv2C,EAKzB7M,KAAKg9B,aAAanwB,EAAK7M,KAAK4kC,YAAYvgC,IAJpCrE,KAAKi9B,uBAAuBj9B,KAAK4kC,YAAYvgC,GAKrD,KCxDkQ,IFM3P8pC,EAAAA,EAAAA,iBAAgB,CAC3BntC,KAAM,6BACNya,WAAY,CACRioC,SAAQ,KACRC,OAAM,KACNC,SAAQA,GAAAA,GAEZpB,OAAQ,CACJqB,IAEJlgC,MAAO,CACH3iB,KAAM,CACF8J,KAAME,OACN0f,UAAU,GAEdkP,KAAM,CACF9uB,KAAME,OACN0f,UAAU,IAGlBoW,QAAS,CACLR,EAAGe,GAAAA,MxK8vDX,IAAkB1mB,GAAUqoC,e2K9wDxB,GAAU,CAAC,EAEf,GAAQ1hB,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,IJTW,WAAkB,IAAIzC,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMgQ,YAAmBjQ,EAAG,WAAW,CAACnT,MAAM,CAAC,iCAAkC,CACtJ,yCAA0CkT,EAAIkkB,cAAgBlkB,EAAItF,KAClE,uCAA4D,SAApBsF,EAAIkkB,cAC1Ct9B,MAAM,CAAC,UAAyB,SAAboZ,EAAItF,KAAkB,MAAQ,gBAAgB,KAAO,YAAYj3B,GAAG,CAAC,MAAQ,SAAS48B,GAAQ,OAAOL,EAAIukB,aAAavkB,EAAItF,KAAK,GAAGuK,YAAYjF,EAAIkF,GAAG,CAAC,CAACv3B,IAAI,OAAOhN,GAAG,WAAW,MAAO,CAAEq/B,EAAIkkB,cAAgBlkB,EAAItF,MAAQsF,EAAIqkB,aAAcpkB,EAAG,SAAS,CAACG,YAAY,wCAAwCH,EAAG,WAAW,CAACG,YAAY,wCAAwC,EAAEr4B,OAAM,MAAS,CAACi4B,EAAIQ,GAAG,KAAKP,EAAG,OAAO,CAACG,YAAY,uCAAuC,CAACJ,EAAIQ,GAAGR,EAAIxuB,GAAGwuB,EAAIl+B,UACrf,GACsB,IIOpB,EACA,KACA,WACA,MAI8B,QCnBoO,GCSrP+5B,EAAAA,QAAIta,OAAO,CACtBzf,KAAM,uBACNya,WAAY,CACRqoC,2BAA0B,GAC1BlhB,sBAAqB,KACrBmhB,4BAA2BA,IAE/BvB,OAAQ,CACJqB,IAEJlgC,MAAO,CACHw6B,iBAAkB,CACdrzC,KAAMwU,QACNsE,SAAS,GAEbw6B,gBAAiB,CACbtzC,KAAMwU,QACNsE,SAAS,GAEb4nB,MAAO,CACH1gC,KAAMlJ,MACN8oB,UAAU,GAEd+rB,eAAgB,CACZ3rC,KAAMgT,OACN8F,QAAS,IAGjBvM,MAAKA,KAGM,CACHk3B,WAHexC,KAIfuM,eAHmB3K,OAM3BzyB,SAAU,CACN0pB,WAAAA,GACI,OAAO,KAAKG,YAAYqI,MAC5B,EACAkS,OAAAA,GAEI,OAAI,KAAK7I,eAAiB,IACf,GAEJ,KAAK7R,aAAa0a,SAAW,EACxC,EACAtZ,GAAAA,GAEI,OAAQ,KAAK7hB,QAAQ3F,OAAOwnB,KAAO,KAAKj6B,QAAQ,WAAY,KAChE,EACAi4C,aAAAA,GACI,MAAM12C,GAAQgzB,EAAAA,GAAAA,IAAE,QAAS,8CACzB,MAAO,CACH,aAAchzB,EACd22C,QAAS,KAAKC,cACdC,cAAe,KAAKC,eACpBh5C,MAAOkC,EAEf,EACAo1C,aAAAA,GACI,OAAO,KAAKpK,eAAe1K,QAC/B,EACAsW,aAAAA,GACI,OAAO,KAAKxB,cAAchhD,SAAW,KAAK8pC,MAAM9pC,MACpD,EACA2iD,cAAAA,GACI,OAAqC,IAA9B,KAAK3B,cAAchhD,MAC9B,EACA0iD,cAAAA,GACI,OAAQ,KAAKF,gBAAkB,KAAKG,cACxC,GAEJvjB,QAAS,CACLwjB,eAAAA,CAAgB1qB,GACZ,OAAI,KAAKwpB,cAAgBxpB,EACd,KAAK2pB,aAAe,YAAc,aAEtC,IACX,EACAvB,cAAAA,CAAeL,GACX,MAAO,CACH,sBAAsB,EACtB,iCAAkCA,EAAO/jC,KACzC,iCAAiC,EACjC,CAAE,mBAAkB,KAAKgnB,YAAYvgC,MAAMs9C,EAAOt9C,OAAO,EAEjE,EACAkgD,WAAAA,CAAY3W,GACR,GAAIA,EAAU,CACV,MAAMG,EAAY,KAAKvC,MAAMv5B,KAAI3I,GAAQA,EAAK28B,OAAOv+B,aACrDy5B,GAAOkE,MAAM,+BAAgC,CAAE0I,cAC/C,KAAKuK,eAAetK,aAAa,MACjC,KAAKsK,eAAevlC,IAAIg7B,EAC5B,MAEI5M,GAAOkE,MAAM,qBACb,KAAKiT,eAAerK,OAE5B,EACAkL,cAAAA,GACI,KAAKb,eAAerK,OACxB,EACA3N,EAACA,GAAAA,sBCrGL,GAAU,CAAC,EAEf,GAAQgB,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,IAAIzC,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMgQ,YAAmBjQ,EAAG,KAAK,CAACG,YAAY,wBAAwB,CAACH,EAAG,KAAK,CAACG,YAAY,8CAA8C38B,GAAG,CAAC,MAAQ,SAAS48B,GAAQ,OAAIA,EAAOz0B,KAAKoL,QAAQ,QAAQgpB,EAAIka,GAAG7Z,EAAO8Z,QAAQ,MAAM,GAAG9Z,EAAO1yB,IAAI,CAAC,MAAM,YAA0B0yB,EAAOvS,SAASuS,EAAOtS,UAAUsS,EAAOxS,QAAQwS,EAAOzS,QAA/D,KAA0FoS,EAAIia,eAAe12C,MAAM,KAAMH,UAAU,IAAI,CAAC68B,EAAG,wBAAwBD,EAAIG,GAAG,CAAC18B,GAAG,CAAC,iBAAiBu8B,EAAIqlB,cAAc,wBAAwBrlB,EAAI8kB,eAAc,KAAS,GAAG9kB,EAAIQ,GAAG,KAAKP,EAAG,KAAK,CAACG,YAAY,uEAAuExZ,MAAM,CAAC,YAAYoZ,EAAIolB,gBAAgB,cAAc,CAACnlB,EAAG,OAAO,CAACG,YAAY,yBAAyBJ,EAAIQ,GAAG,KAAKP,EAAG,6BAA6B,CAACrZ,MAAM,CAAC,KAAOoZ,EAAIoB,EAAE,QAAS,QAAQ,KAAO,eAAe,GAAGpB,EAAIQ,GAAG,KAAKP,EAAG,KAAK,CAACG,YAAY,4BAA4BJ,EAAIQ,GAAG,KAAMR,EAAIkf,gBAAiBjf,EAAG,KAAK,CAACG,YAAY,0CAA0CtT,MAAM,CAAE,+BAAgCkT,EAAIkf,iBAAkBt4B,MAAM,CAAC,YAAYoZ,EAAIolB,gBAAgB,UAAU,CAACnlB,EAAG,6BAA6B,CAACrZ,MAAM,CAAC,KAAOoZ,EAAIoB,EAAE,QAAS,QAAQ,KAAO,WAAW,GAAGpB,EAAIzlB,KAAKylB,EAAIQ,GAAG,KAAMR,EAAIif,iBAAkBhf,EAAG,KAAK,CAACG,YAAY,2CAA2CtT,MAAM,CAAE,+BAAgCkT,EAAIif,kBAAmBr4B,MAAM,CAAC,YAAYoZ,EAAIolB,gBAAgB,WAAW,CAACnlB,EAAG,6BAA6B,CAACrZ,MAAM,CAAC,KAAOoZ,EAAIoB,EAAE,QAAS,YAAY,KAAO,YAAY,GAAGpB,EAAIzlB,KAAKylB,EAAIQ,GAAG,KAAKR,EAAIgF,GAAIhF,EAAIogB,SAAS,SAASqC,GAAQ,OAAOxiB,EAAG,KAAK,CAACtyB,IAAI80C,EAAOt9C,GAAG2nB,MAAMkT,EAAI8iB,eAAeL,GAAQ77B,MAAM,CAAC,YAAYoZ,EAAIolB,gBAAgB3C,EAAOt9C,MAAM,CAAIs9C,EAAO/jC,KAAMuhB,EAAG,6BAA6B,CAACrZ,MAAM,CAAC,KAAO67B,EAAOv2C,MAAM,KAAOu2C,EAAOt9C,MAAM86B,EAAG,OAAO,CAACD,EAAIQ,GAAG,WAAWR,EAAIxuB,GAAGixC,EAAOv2C,OAAO,aAAa,EAAE,KAAI,EAC74D,GACsB,IEUpB,EACA,KACA,WACA,MAI8B,QCnBhC,4BAIA,MCJ2P,GDI5O2vB,EAAAA,QAAIta,OAAO,CACtBzf,KAAM,cACNwhD,OAAQ,CAACC,IACT9+B,MAAO,CACH6gC,cAAe,CACX15C,KAAM,CAACvL,OAAQwiC,UACfrX,UAAU,GAEd+5B,QAAS,CACL35C,KAAME,OACN0f,UAAU,GAEdg6B,YAAa,CACT55C,KAAMlJ,MACN8oB,UAAU,GAEdi6B,WAAY,CACR75C,KAAMvL,OACNqkB,QAASA,KAAA,CAAS,IAEtBghC,cAAe,CACX95C,KAAMgT,OACN8F,QAAS,GAEb+yB,SAAU,CACN7rC,KAAMwU,QACNsE,SAAS,GAKbihC,QAAS,CACL/5C,KAAME,OACN4Y,QAAS,KAGjB9e,IAAAA,GACI,MAAO,CACH4a,MAAO,KAAKklC,cACZE,aAAc,EACdC,aAAc,EACdC,YAAa,EACbC,eAAgB,KAExB,EACA/pC,SAAU,CAENgqC,OAAAA,GACI,OAAO,KAAKF,YAAc,CAC9B,EAEAG,WAAAA,GACI,OAAI,KAAKxO,SACE,KAAKyO,YAET,CACX,EACAC,UAAAA,GAGI,OAAO,KAAK1O,SAAY,IAAiB,EAC7C,EAEA2O,UAASA,IAEE,IAEXC,QAAAA,GACI,OAAOhvB,KAAKivB,MAAM,KAAKR,YAAc,KAAKD,cAAgB,KAAKM,YAAe,KAAKF,YAAc,KAAKC,YAAe,EAAI,CAC7H,EACAA,WAAAA,GACI,OAAK,KAAKzO,SAGHpgB,KAAKkvB,MAAM,KAAKhP,eAAiB,KAAK6O,WAFlC,CAGf,EACAI,UAAAA,GACI,OAAOnvB,KAAKD,IAAI,EAAG,KAAK5W,MAAQ,KAAKylC,YACzC,EACAQ,UAAAA,GAEI,OAAI,KAAKhP,SACE,KAAK4O,SAAW,KAAKH,YAEzB,KAAKG,QAChB,EACAK,aAAAA,GACI,IAAK,KAAKV,QACN,MAAO,GAEX,MAAMW,EAAQ,KAAKnB,YAAYvjD,MAAM,KAAKukD,WAAY,KAAKA,WAAa,KAAKC,YAEvEG,EADWD,EAAM7zC,QAAO1N,GAAQ/E,OAAO2R,OAAO,KAAK60C,gBAAgB1/C,SAAS/B,EAAK,KAAKmgD,YAC9DxyC,KAAI3N,GAAQA,EAAK,KAAKmgD,WAC9CuB,EAAazmD,OAAO6G,KAAK,KAAK2/C,gBAAgB/zC,QAAOnF,IAAQi5C,EAAaz/C,SAAS,KAAK0/C,eAAel5C,MAC7G,OAAOg5C,EAAM5zC,KAAI3N,IACb,MAAMob,EAAQngB,OAAO2R,OAAO,KAAK60C,gBAAgB7vC,QAAQ5R,EAAK,KAAKmgD,UAEnE,IAAe,IAAX/kC,EACA,MAAO,CACH7S,IAAKtN,OAAO6G,KAAK,KAAK2/C,gBAAgBrmC,GACtCpb,QAIR,MAAMuI,EAAMm5C,EAAW1/B,OAASiQ,KAAK0vB,SAASv+C,SAAS,IAAIihB,OAAO,GAElE,OADA,KAAKo9B,eAAel5C,GAAOvI,EAAK,KAAKmgD,SAC9B,CAAE53C,MAAKvI,OAAM,GAE5B,EACA4hD,UAAAA,GACI,MAAMC,EAAiB,KAAKT,WAAa,KAAKH,SAAW,KAAKb,YAAYhjD,OACpE0kD,EAAY,KAAK1B,YAAYhjD,OAAS,KAAKgkD,WAAa,KAAKC,WAC7DU,EAAmB9vB,KAAKkvB,MAAMlvB,KAAKuL,IAAI,KAAK4iB,YAAYhjD,OAAS,KAAKgkD,WAAYU,GAAa,KAAKhB,aAC1G,MAAO,CACHkB,WAAe/vB,KAAKkvB,MAAM,KAAKC,WAAa,KAAKN,aAAe,KAAKC,WAAxD,KACbkB,cAAeJ,EAAiB,EAAOE,EAAmB,KAAKhB,WAA1B,KAE7C,GAEJvwC,MAAO,CACH8vC,aAAAA,CAAcllC,GACV,KAAKqT,SAASrT,EAClB,EACA0lC,WAAAA,CAAYA,EAAaoB,GACE,IAAnBA,EAQJ,KAAKzzB,SAAS,KAAKrT,OALf1W,GAAQq8B,MAAM,iDAMtB,GAEJ1E,OAAAA,GACI,MAAM8lB,EAAS,KAAKtW,OAAOsW,OACrBhb,EAAO,KAAKzJ,IACZ0kB,EAAQ,KAAKvW,OAAOuW,MAC1B,KAAKzB,eAAiB,IAAI7C,gBAAeuE,EAAAA,GAAAA,WAAS,KAC9C,KAAK7B,aAAe2B,GAAQG,cAAgB,EAC5C,KAAK7B,aAAe2B,GAAOE,cAAgB,EAC3C,KAAK5B,YAAcvZ,GAAMmb,cAAgB,EACzCzlB,GAAOkE,MAAM,uCACb,KAAKwhB,UAAU,GAChB,KAAK,IACR,KAAK5B,eAAe3C,QAAQmE,GAC5B,KAAKxB,eAAe3C,QAAQ7W,GAC5B,KAAKwZ,eAAe3C,QAAQoE,GACxB,KAAK9B,eACL,KAAK7xB,SAAS,KAAK6xB,eAGvB,KAAK5iB,IAAIlR,iBAAiB,SAAU,KAAK+1B,SAAU,CAAEC,SAAS,IAC9D,KAAKf,eAAiB,CAAC,CAC3B,EACApiB,aAAAA,GACQ,KAAKshB,gBACL,KAAKA,eAAe1C,YAE5B,EACAzhB,QAAS,CACL/N,QAAAA,CAASrT,GACL,KAAKA,MAAQA,EAEb,MAAMqnC,GAAaxwB,KAAKkvB,MAAM/lC,EAAQ,KAAK0lC,aAAe,IAAO,KAAKC,WAAa,KAAKP,aACxF3jB,GAAOkE,MAAM,mCAAqC3lB,EAAO,CAAEqnC,YAAW3B,YAAa,KAAKA,cACxF,KAAKpjB,IAAI+kB,UAAYA,CACzB,EACAF,QAAAA,GACI,KAAKG,kBAAoBC,uBAAsB,KAC3C,KAAKD,gBAAkB,KACvB,MAAME,EAAY,KAAKllB,IAAI+kB,UAAY,KAAKjC,aACtCplC,EAAQ6W,KAAKkvB,MAAMyB,EAAY,KAAK7B,YAAc,KAAKD,YAE7D,KAAK1lC,MAAQ6W,KAAKD,IAAI,EAAG5W,GACzB,KAAK8f,MAAM,SAAS,GAE5B,KEpKR,IAXgB,QACd,IFRW,WAAkB,IAAIN,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMgQ,YAAmBjQ,EAAG,MAAM,CAACG,YAAY,aAAaxZ,MAAM,CAAC,qBAAqB,KAAK,CAAIoZ,EAAIhT,aAAa,kBAAmBiT,EAAG,MAAM,CAACG,YAAY,6BAA6B,CAACJ,EAAImQ,GAAG,mBAAmB,GAAGnQ,EAAIzlB,KAAKylB,EAAIQ,GAAG,KAAKP,EAAG,MAAM,CAAClnB,IAAI,SAASqnB,YAAY,sBAAsB,CAACJ,EAAImQ,GAAG,WAAW,GAAGnQ,EAAIQ,GAAG,KAAKP,EAAG,QAAQ,CAACG,YAAY,qBAAqB,CAAEJ,EAAI2lB,QAAS1lB,EAAG,UAAU,CAACG,YAAY,mBAAmB,CAACJ,EAAIQ,GAAG,WAAWR,EAAIxuB,GAAGwuB,EAAI2lB,SAAS,YAAY3lB,EAAIzlB,KAAKylB,EAAIQ,GAAG,KAAKP,EAAG,QAAQ,CAAClnB,IAAI,QAAQqnB,YAAY,oBAAoBxZ,MAAM,CAAC,2BAA2B,KAAK,CAACoZ,EAAImQ,GAAG,WAAW,GAAGnQ,EAAIQ,GAAG,KAAKP,EAAG,QAAQ,CAACG,YAAY,oBAAoBtT,MAAMkT,EAAIyX,SAAW,0BAA4B,0BAA0B7jB,MAAOoM,EAAIgnB,WAAYpgC,MAAM,CAAC,2BAA2B,KAAKoZ,EAAIgF,GAAIhF,EAAI0mB,eAAe,SAAAroB,EAAqB/7B,GAAE,IAAd,IAACqL,EAAG,KAAEvI,GAAKi5B,EAAI,OAAO4B,EAAGD,EAAIslB,cAActlB,EAAIG,GAAG,CAACxyB,IAAIA,EAAI8d,IAAI,YAAY7E,MAAM,CAAC,OAASxhB,EAAK,MAAQ9C,IAAI,YAAY09B,EAAIylB,YAAW,GAAO,IAAG,GAAGzlB,EAAIQ,GAAG,KAAKP,EAAG,QAAQ,CAACyc,WAAW,CAAC,CAAC56C,KAAK,OAAO66C,QAAQ,SAASx2C,MAAO65B,EAAIgmB,QAASpJ,WAAW,YAAYxc,YAAY,oBAAoBxZ,MAAM,CAAC,2BAA2B,KAAK,CAACoZ,EAAImQ,GAAG,WAAW,MACnvC,GACsB,IESpB,EACA,KACA,KACA,MAI8B,QClBgO,ICkBjPlB,EAAAA,EAAAA,iBAAgB,CAC3BntC,KAAM,mBACNya,WAAY,CACR0rC,gBAAe,GACfC,qBAAoB,GACpBC,qBAAoB,GACpBC,YAAW,GACXvD,4BAA2BA,IAE/BvB,OAAQ,CACJC,IAEJ9+B,MAAO,CACHihB,YAAa,CACT95B,KAAM2Y,GAAAA,GACNiH,UAAU,GAEdo3B,cAAe,CACXh3C,KAAMwiC,GAAAA,GACN5iB,UAAU,GAEd8gB,MAAO,CACH1gC,KAAMlJ,MACN8oB,UAAU,IAGlBrT,MAAKA,KAGM,CACHmrB,gBAHoBD,KAIpB+V,eAHmB3K,OAM3B7oC,KAAIA,KACO,CACHyiD,UAAS,GACTC,cAAa,GACb/L,SAASgM,EAAAA,GAAAA,MACT7C,cAAe,IAGvB1pC,SAAU,CACNgnB,UAAAA,GACI,OAAO,KAAKM,gBAAgBN,UAChC,EACA2M,MAAAA,GACI,OAAOqB,SAAS,KAAK/rB,OAAOlC,OAAOgkB,SAAW,IAClD,EACA8J,OAAAA,GACI,OAAOR,GAAc,KAAK/D,MAC9B,EACA2S,gBAAAA,GAEI,QAAI,KAAK1H,eAAiB,MAGnB,KAAKjL,MAAMlC,MAAKhgC,QAAuB9G,IAAf8G,EAAKw2C,OACxC,EACA1B,eAAAA,GAEI,QAAI,KAAK3H,eAAiB,MAGnB,KAAKjL,MAAMlC,MAAKhgC,QAAiC9G,IAAzB8G,EAAKwlC,WAAWr8B,MACnD,EACAi1C,aAAAA,GACI,OAAK,KAAK5F,eAAkB,KAAKld,YAG1B,IAAI,KAAK6W,SAAS79B,MAAK,CAAC1T,EAAG2T,IAAM3T,EAAE+6B,MAAQpnB,EAAEonB,QAFzC,EAGf,EACA4f,OAAAA,GACI,MAAM8C,GAAiBrnB,EAAAA,GAAAA,IAAE,QAAS,8BAIlC,MAAQ,GAHY,KAAKsE,YAAYigB,SAAW8C,OACxBrnB,EAAAA,GAAAA,IAAE,QAAS,kDACXA,EAAAA,GAAAA,IAAE,QAAS,0HAEvC,EACAoiB,aAAAA,GACI,OAAO,KAAKpK,eAAe1K,QAC/B,EACAyW,cAAAA,GACI,OAAqC,IAA9B,KAAK3B,cAAchhD,MAC9B,GAEJoT,MAAO,CACH+5B,MAAAA,CAAOA,GACH,KAAK+Y,aAAa/Y,GAAQ,EAC9B,GAEJlO,OAAAA,GAEwBx9B,OAAOsG,SAAS8oB,cAAc,oBACtCzB,iBAAiB,WAAY,KAAK+tB,YAC9C,KAAK+I,aAAa,KAAK/Y,QACvB,KAAKgZ,mBAAmB,KAAKhZ,QAC7B,KAAKiZ,gBACT,EACAnkB,aAAAA,GACwBxgC,OAAOsG,SAAS8oB,cAAc,oBACtCvB,oBAAoB,WAAY,KAAK6tB,WACrD,EACA/d,QAAS,CAGL+mB,kBAAAA,CAAmBhZ,GACf,GAAIplC,SAASgpB,gBAAgByvB,YAAc,MAAQ,KAAKJ,cAAc7b,SAAW4I,EAAQ,CAGrF,MAAMvlC,EAAO,KAAKkiC,MAAM1G,MAAKtM,GAAKA,EAAEyN,SAAW4I,IAC3CvlC,GAAQy3C,IAAexV,UAAU,CAACjiC,GAAO,KAAKs7B,eAC9CzD,GAAOkE,MAAM,2BAA6B/7B,EAAKuJ,KAAM,CAAEvJ,SACvDy3C,GAAcvjC,KAAKlU,EAAM,KAAKs7B,YAAa,KAAKkd,cAAcjvC,MAEtE,CACJ,EACA+0C,YAAAA,CAAa/Y,GAAqB,IAAbvrC,IAAIhB,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,KAAAA,UAAA,GACrB,GAAIusC,EAAQ,CACR,MAAMnvB,EAAQ,KAAK8rB,MAAMiM,WAAUnuC,GAAQA,EAAK28B,SAAW4I,IACvDvrC,IAAmB,IAAXoc,GAAgBmvB,IAAW,KAAKiT,cAAc7b,SACtD7E,EAAAA,GAAAA,IAAU,KAAKd,EAAE,QAAS,mBAE9B,KAAKskB,cAAgBruB,KAAKD,IAAI,EAAG5W,EACrC,CACJ,EACAooC,cAAAA,GACI,MAAMC,GAAevrB,EAAAA,GAAAA,GAAU,QAAS,eAAgB,CAAC,GACzD,QAAqBh6B,IAAjBulD,EACA,OAEJ,MAAMz+C,EAAO,KAAKkiC,MAAM1G,MAAKtM,GAAKA,EAAEyN,SAAW8hB,EAAa1jD,UAC/C7B,IAAT8G,IAGJ63B,GAAOkE,MAAM,gBAAkB/7B,EAAKuJ,KAAM,CAAEvJ,UAC5C2sC,EAAAA,GAAAA,MACKjkC,QAAO3C,IAAWA,EAAOk8B,SAAWl8B,EAAOk8B,QAAQ,CAACjiC,GAAO,KAAKs7B,eAChEhnB,MAAK,CAAC1T,EAAG2T,KAAO3T,EAAE+6B,OAAS,IAAMpnB,EAAEonB,OAAS,KAC5CjzB,QAAO3C,KAAYA,GAAQuU,UAAS,GAAGpG,KAAKlU,EAAM,KAAKs7B,YAAa,KAAKkd,cAAcjvC,MAChG,EACAm1C,UAAU1+C,GACCA,EAAK28B,OAEhB4Y,UAAAA,CAAW1+C,GAEP,MAAM8nD,EAAgB9nD,EAAM6gD,cAAckH,MAAM7hD,SAAS,SACzD,GAAI4hD,EAGA,OAEJ9nD,EAAMmtB,iBACNntB,EAAMyhC,kBACN,MAAMumB,EAAW,KAAKhY,MAAMiY,MAAMpmB,IAAItP,wBAAwBE,IACxDy1B,EAAcF,EAAW,KAAKhY,MAAMiY,MAAMpmB,IAAItP,wBAAwB41B,OAExEnoD,EAAMygD,QAAUuH,EAAW,IAC3B,KAAKhY,MAAMiY,MAAMpmB,IAAI+kB,UAAY,KAAK5W,MAAMiY,MAAMpmB,IAAI+kB,UAAY,GAIlE5mD,EAAMygD,QAAUyH,EAAc,KAC9B,KAAKlY,MAAMiY,MAAMpmB,IAAI+kB,UAAY,KAAK5W,MAAMiY,MAAMpmB,IAAI+kB,UAAY,GAE1E,EACAzmB,EAACA,GAAAA,sBC7KL,GAAU,CAAC,EAEf,GAAQgB,kBAAoB,KAC5B,GAAQC,cAAgB,KAElB,GAAQC,OAAS,UAAc,KAAM,QAE3C,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,uBCftD,GAAU,CAAC,EAEf,GAAQL,kBAAoB,KAC5B,GAAQC,cAAgB,KAElB,GAAQC,OAAS,UAAc,KAAM,QAE3C,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OCN1D,UAXgB,QACd,IHVW,WAAkB,IAAIzC,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMgQ,YAAmBjQ,EAAG,cAAc,CAAClnB,IAAI,QAAQ6N,MAAM,CAAC,iBAAiBoZ,EAAIgD,WAAWI,UAAYpD,EAAIsoB,cAAgBtoB,EAAIqoB,UAAU,WAAW,SAAS,eAAeroB,EAAIsM,MAAM,YAAYtM,EAAIgD,WAAWI,UAAU,cAAc,CACjT6b,iBAAkBjf,EAAIif,iBACtBC,gBAAiBlf,EAAIkf,gBACrB5S,MAAOtM,EAAIsM,MACXiL,eAAgBvX,EAAIuX,gBACnB,kBAAkBvX,EAAI0lB,cAAc,QAAU1lB,EAAI2lB,SAAS1gB,YAAYjF,EAAIkF,GAAG,CAAGlF,EAAImlB,eAAwL,KAAxK,CAACx3C,IAAI,iBAAiBhN,GAAG,WAAW,MAAO,CAACs/B,EAAG,8BAA8B,CAACrZ,MAAM,CAAC,eAAeoZ,EAAI0F,YAAY,iBAAiB1F,EAAIwjB,iBAAiB,EAAEz7C,OAAM,GAAW,CAAC4F,IAAI,SAAShN,GAAG,WAAW,OAAOq/B,EAAIgF,GAAIhF,EAAIwoB,eAAe,SAAS7F,GAAQ,OAAO1iB,EAAG,kBAAkB,CAACtyB,IAAIg1C,EAAOx9C,GAAGyhB,MAAM,CAAC,iBAAiBoZ,EAAI4iB,cAAc,eAAe5iB,EAAI0F,YAAY,OAASid,IAAS,GAAE,EAAE56C,OAAM,GAAM,CAAC4F,IAAI,SAAShN,GAAG,WAAW,MAAO,CAACs/B,EAAG,uBAAuB,CAAClnB,IAAI,QAAQ6N,MAAM,CAAC,mBAAmBoZ,EAAIuX,eAAe,qBAAqBvX,EAAIif,iBAAiB,oBAAoBjf,EAAIkf,gBAAgB,MAAQlf,EAAIsM,SAAS,EAAEvkC,OAAM,GAAM,CAAC4F,IAAI,SAAShN,GAAG,WAAW,MAAO,CAACs/B,EAAG,uBAAuB,CAACrZ,MAAM,CAAC,mBAAmBoZ,EAAIuX,eAAe,qBAAqBvX,EAAIif,iBAAiB,oBAAoBjf,EAAIkf,gBAAgB,MAAQlf,EAAIsM,MAAM,QAAUtM,EAAI6Q,WAAW,EAAE9oC,OAAM,IAAO,MAAK,IACp+B,GACsB,IGMpB,EACA,KACA,WACA,MAI8B,QCpBgF,GCoBhH,CACEjG,KAAM,oBACNg+B,MAAO,CAAC,SACRrb,MAAO,CACLvY,MAAO,CACLN,KAAME,QAERi0B,UAAW,CACTn0B,KAAME,OACN4Y,QAAS,gBAEXnR,KAAM,CACJ3H,KAAMgT,OACN8F,QAAS,MCff,IAXgB,QACd,ICRW,WAAkB,IAAIsb,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,4CAA4CxZ,MAAM,CAAC,eAAeoZ,EAAI9zB,MAAM,aAAa8zB,EAAI9zB,MAAM,KAAO,OAAOzI,GAAG,CAAC,MAAQ,SAAS48B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BxZ,MAAM,CAAC,KAAOoZ,EAAID,UAAU,MAAQC,EAAIzsB,KAAK,OAASysB,EAAIzsB,KAAK,QAAU,cAAc,CAAC0sB,EAAG,OAAO,CAACrZ,MAAM,CAAC,EAAI,uJAAuJ,CAAEoZ,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAIxuB,GAAGwuB,EAAI9zB,UAAU8zB,EAAIzlB,UAC9pB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,wBEUzB,MA8BD8uC,GAAmBj5C,eAAOc,GAAoB,IAAdyC,EAAIvQ,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,GACzC,MAAM4rC,GAAWsT,EAAAA,GAAAA,KACjB,IACI,aAAatT,EAASuT,OAAQ,GAAE5uC,IAAOzC,EAAKpP,OAAQoP,EACxD,CACA,MAAOnL,GAEH,MADAm8B,EAAAA,GAAAA,KAAUd,EAAAA,GAAAA,IAAE,QAAS,gCAAiC,CAAEkoB,SAAUp4C,EAAKpP,QACjEiE,CACV,CACJ,EACMwjD,GAAwBn5C,eAAOo5C,GAAqB,IAAd71C,EAAIvQ,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,GAC/C,GAAIomD,EAAM9P,OACN,MAAO,OACG,IAAIryC,SAAQ,CAACD,EAAS2J,KACxBy4C,EAAMt4C,MAAKd,SAAgBhJ,QAAciiD,GAAiBn4C,EAAMyC,MAAS5J,GAAUgH,EAAOhH,IAAO,KAIxG,CACD,MAAM0/C,EAAYD,EAEZE,GAAcC,EAAAA,GAAAA,IAAUvV,GAAAA,IAAakO,EAAAA,GAAAA,KAAc1O,YAAYjgC,KAAMA,EAAM81C,EAAU3nD,MAC3FmgC,GAAOkE,MAAM,+BAAgC,CAAErkC,KAAM2nD,EAAU3nD,KAAM4nD,gBACrE,MAAME,GAAY1V,EAAAA,GAAAA,MAElB,UADwB0V,EAAUC,OAAOH,GACzB,CACZznB,GAAOkE,MAAM,wCAAyC,CAAEujB,sBAClDE,EAAUE,gBAAgBJ,EAAa,CAAEK,WAAW,IAC1D,MAAMhV,QAAa6U,EAAU7U,KAAK2U,EAAa,CAAE1U,SAAS,EAAMpvC,MAAMqvC,EAAAA,GAAAA,SACtEryC,EAAAA,GAAAA,IAAK,sBAAsBsyC,EAAAA,GAAAA,IAAgBH,EAAKnvC,MACpD,CACA,MAAM2Y,QAWd,SAAuBkrC,GACnB,MAAMO,EAAYP,EAAUQ,eAC5B,OAAO,IAAI5iD,SAAQ,CAACD,EAAS2J,KACzB,MAAMwN,EAAU,GACV2rC,EAAaA,KACfF,EAAUG,aAAavG,IACfA,EAAQphD,QACR+b,EAAQjd,QAAQsiD,GAChBsG,KAGA9iD,EAAQmX,EACZ,IACAxU,IACAgH,EAAOhH,EAAM,GACf,EAENmgD,GAAY,GAEpB,CA9B8BE,CAAcX,GAE9BnT,EAAW/3B,EAAQG,MAAM1T,GAAMA,EAAE0uC,QAAU,EAAI,IAChD3mC,KAAK7B,GAASq4C,GAAsBr4C,EAAO,GAAEyC,IAAO81C,EAAU3nD,WACnE,aAAcuF,QAAQ8qC,IAAImE,IAAWz2B,MACzC,CACJ,EC/FiQ,ICOlPovB,EAAAA,EAAAA,iBAAgB,CAC3BntC,KAAM,oBACNya,WAAY,CACR8tC,kBAAiBA,IAErB5lC,MAAO,CACHm+B,cAAe,CACXh3C,KAAMwiC,GAAAA,GACN5iB,UAAU,IAGlB5lB,KAAIA,KACO,CACH83C,UAAU,IAGlB1hC,SAAU,CAINsuC,SAAAA,GACI,OAAO,KAAK1H,eAA0E,IAAxD,KAAKA,cAAcpW,YAAcC,GAAAA,GAAWiJ,OAC9E,EACA6U,eAAAA,GACI,OAAqE,IAA9D,KAAK3H,eAAehT,aAAa,wBAC5C,EACA4a,eAAAA,GACI,OAAI,KAAKD,gBACE,KAAKnpB,EAAE,QAAS,mEAEjB,KAAKkpB,UAGR,KAFI,KAAKlpB,EAAE,QAAS,2DAG/B,GAEJK,OAAAA,GAEI,MAAMgpB,EAAcxmD,OAAOsG,SAAS8oB,cAAc,oBAClDo3B,EAAY74B,iBAAiB,WAAY,KAAK+tB,YAC9C8K,EAAY74B,iBAAiB,YAAa,KAAKmuB,aAC/C0K,EAAY74B,iBAAiB,OAAQ,KAAK84B,cAC9C,EACAjmB,aAAAA,GACI,MAAMgmB,EAAcxmD,OAAOsG,SAAS8oB,cAAc,oBAClDo3B,EAAY34B,oBAAoB,WAAY,KAAK6tB,YACjD8K,EAAY34B,oBAAoB,YAAa,KAAKiuB,aAClD0K,EAAY34B,oBAAoB,OAAQ,KAAK44B,cACjD,EACA9oB,QAAS,CACL+d,UAAAA,CAAW1+C,GAEPA,EAAMmtB,iBACN,MAAM26B,EAAgB9nD,EAAM6gD,cAAckH,MAAM7hD,SAAS,SACrD4hD,IAEA,KAAKrL,UAAW,EAExB,EACAqC,WAAAA,CAAY9+C,GAIR,MAAMitB,EAAgBjtB,EAAMitB,cACxBA,GAAe8zB,SAAS/gD,EAAMghD,gBAG9B,KAAKvE,WACL,KAAKA,UAAW,EAExB,EACAgN,aAAAA,CAAczpD,GACVghC,GAAOkE,MAAM,kDAAmD,CAAEllC,UAClEA,EAAMmtB,iBACF,KAAKsvB,WACL,KAAKA,UAAW,EAExB,EACAyC,MAAAA,CAAOl/C,GACHghC,GAAOkE,MAAM,+BAAgC,CAAEllC,QAAO8I,MAAO,KAAKygD,kBAC7D,KAAKF,YAAa,KAAKC,gBAIxB,KAAKznB,IAAIzP,cAAc,UAAU2uB,SAAS/gD,EAAM6D,UAGpD7D,EAAMmtB,iBACNntB,EAAMyhC,kBACFzhC,EAAM6gD,cAAgB7gD,EAAM6gD,aAAa6E,MAAMnkD,OAAS,IAExDy/B,GAAOkE,MAAO,sBAAqB,KAAKyc,cAAcjvC,QFtE5CvD,WAEtB,MAAMu6C,EAAU,GAChB,IAAK,MAAMvlD,KAAQQ,EAAK+gD,MAAO,CAC3B,GAAkB,SAAdvhD,EAAKwlD,KAAiB,CACtB3oB,GAAOkE,MAAM,wBAAyB,CAAEykB,KAAMxlD,EAAKwlD,KAAMh/C,KAAMxG,EAAKwG,OACpE,QACJ,CAEA,MAAM49C,EAAQpkD,GAAMylD,gBAAkBzlD,EAAK0lD,mBAE3C,GAAc,OAAVtB,EAAgB,CAChBvnB,GAAOkE,MAAM,+DACb,MAAMj1B,EAAO9L,EAAK2lD,YACL,OAAT75C,GACA+wB,GAAO79B,KAAK,qCAAsC,CAAEwH,KAAMxG,EAAKwG,KAAMg/C,KAAMxlD,EAAKwlD,QAChF1oB,EAAAA,GAAAA,KAAUd,EAAAA,GAAAA,IAAE,QAAS,qDAGrBupB,EAAQrpD,WAAW+nD,GAAiBn4C,GAE5C,MAEI+wB,GAAOkE,MAAM,0BAA2B,CAAEqjB,MAAOA,EAAM1nD,OAEvD6oD,EAAQrpD,cAAcioD,GAAsBC,GAEpD,CACA,OAAOmB,CAAO,EE4CFK,CAAW/pD,EAAM6gD,cAAcxoC,MAAMqxC,IACjC1oB,GAAOkE,MAAM,oBAAqB,CAAEwkB,aACpC5lB,EAAAA,GAAAA,KAAY3D,EAAAA,GAAAA,IAAE,QAAS,sBAEvB,MAAM6pB,EAAaN,EAAQO,UAAU3I,IAAYA,EAAOrxC,KAAKi6C,mBAAmBhkD,SAAS,MAAQo7C,EAAO34C,UAAU2yC,UAAU,oBACzGj5C,IAAf2nD,GACA,KAAKh/B,QAAQ3qB,KAAK,IACX,KAAK2jB,OACRlC,OAAQ,CACJ0a,KAAM,KAAKxY,OAAOlC,QAAQ0a,MAAQ,QAElCsJ,OAAQiK,SAASia,EAAWrhD,SAAS2yC,QAAQ,gBAGzD,KAGR,KAAKmB,UAAW,IA7BZxb,EAAAA,GAAAA,IAAU,KAAKsoB,gBA8BvB,EACAppB,EAACA,GAAAA,sBC5GL,GAAU,CAAC,EAEf,GAAQgB,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,IAAIzC,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMgQ,YAAmBjQ,EAAG,MAAM,CAACyc,WAAW,CAAC,CAAC56C,KAAK,OAAO66C,QAAQ,SAASx2C,MAAO65B,EAAI0d,SAAUd,WAAW,aAAaxc,YAAY,+BAA+B38B,GAAG,CAAC,KAAOu8B,EAAImgB,SAAS,CAAClgB,EAAG,MAAM,CAACG,YAAY,wCAAwC,CAAEJ,EAAIsqB,YAActqB,EAAIuqB,gBAAiB,CAACtqB,EAAG,oBAAoB,CAACrZ,MAAM,CAAC,KAAO,MAAMoZ,EAAIQ,GAAG,KAAKP,EAAG,KAAK,CAACG,YAAY,sCAAsC,CAACJ,EAAIQ,GAAG,aAAaR,EAAIxuB,GAAGwuB,EAAIoB,EAAE,QAAS,uCAAuC,eAAe,CAACnB,EAAG,KAAK,CAACG,YAAY,sCAAsC,CAACJ,EAAIQ,GAAG,aAAaR,EAAIxuB,GAAGwuB,EAAIwqB,iBAAiB,gBAAgB,IAC9rB,GACsB,IEUpB,EACA,KACA,WACA,MAI8B,QxJgB1BY,QAAwD9nD,KAArC+nD,EAAAA,GAAAA,oBAAmBC,cyJnC6M,IzJoC1Orc,EAAAA,EAAAA,iBAAgB,CAC3BntC,KAAM,YACNya,WAAY,CACRgvC,YAAW,GACXC,kBAAiB,GACjBC,iBAAgB,GAChBlO,SAAQ,KACRmO,aAAY,GACZC,aAAY,KACZjH,SAAQ,KACRkH,eAAc,KACdtmB,iBAAgB,KAChBgS,cAAa,KACbuU,SAAQ,KACRC,iBAAgB,GAChBC,aAAY,KACZC,aAAYA,IAEhB1I,OAAQ,CACJC,GACAoB,IAEJxsC,KAAAA,GACI,MAAMk3B,EAAaxC,KACbgB,EAAaD,KACbwL,EAAiB3K,KACjBwd,EkB3DkB,WAQ5B,OANAjd,IAAWsT,EAAAA,GAAAA,KACGjnC,GAAY,WAAY,CAClC3N,MAAOA,KAAA,CACHonB,MAAOka,GAASla,SAGjB3mB,IAAM/K,UACjB,ClBkD8B8oD,GAItB,MAAO,CACH7c,aACAxB,aACAuL,iBACA6S,gBACA3oB,gBARoBD,KASpBnF,gBARoBX,KASpBgH,gBARoBjH,EAAAA,GAAAA,GAAU,OAAQ,SAAU,IAAI,oCAAqC,EAUjG,EACA13B,KAAIA,KACO,CACH4xC,SAAS,EACT2U,QAAS,KACTC,KAAIA,GAAAA,IAGZpwC,SAAU,CACNgnB,UAAAA,GACI,OAAO,KAAKM,gBAAgBN,UAChC,EACA0C,WAAAA,GACI,OAAQ,KAAKG,YAAYqI,QAClB,KAAKrI,YAAYF,MAAMC,MAAKnI,GAAoB,UAAZA,EAAKt4B,IACpD,EAIA2hC,GAAAA,GAEI,OAAQ,KAAK7hB,QAAQ3F,OAAOwnB,KAAKt+B,YAAc,KAAKqE,QAAQ,WAAY,KAC5E,EAIA+1C,aAAAA,GACI,IAAK,KAAKld,aAAavgC,GACnB,OAEJ,GAAiB,MAAb,KAAK2hC,IACL,OAAO,KAAKuI,WAAWlC,QAAQ,KAAKzH,YAAYvgC,IAEpD,MAAMwqC,EAAS,KAAK9B,WAAWE,QAAQ,KAAKrI,YAAYvgC,GAAI,KAAK2hC,KACjE,OAAO,KAAKuI,WAAWrC,QAAQ2C,EACnC,EAKA0c,iBAAAA,GA2BI,MAAO,CA1Ba,IAEZ,KAAKrpB,WAAWG,qBAAuB,CAACpQ,GAAgC,IAA3BA,EAAE6c,YAAYiO,UAAkB,MAExD,aAArB,KAAKqG,YAA6B,CAACnxB,GAAgB,WAAXA,EAAEnnB,MAAqB,MAE1C,aAArB,KAAKs4C,YAA6B,CAACnxB,GAAKA,EAAE,KAAKmxB,cAAgB,GAEnEnxB,GAAKA,EAAE6c,YAAY1D,aAAenZ,EAAE8c,SAEpC9c,GAAKA,EAAE8c,UAEI,IAEP,KAAK7M,WAAWG,qBAAuB,CAAC,OAAS,MAE5B,aAArB,KAAK+gB,YAA6B,CAAC,OAAS,MAEvB,UAArB,KAAKA,YAA0B,CAAC,KAAKG,aAAe,OAAS,OAAS,MAEjD,UAArB,KAAKH,aAAgD,aAArB,KAAKA,YAA6B,CAAC,KAAKG,aAAe,MAAQ,QAAU,GAE7G,KAAKA,aAAe,MAAQ,OAE5B,KAAKA,aAAe,MAAQ,QAGpC,EAIAiI,iBAAAA,GACI,IAAK,KAAK5mB,YACN,MAAO,GAEX,MAAM6mB,GAAgB,KAAK7mB,aAAa0a,SAAW,IAC9Cxa,MAAK6c,GAAUA,EAAOt9C,KAAO,KAAK++C,cAEvC,GAAIqI,GAAc7tC,MAAqC,mBAAtB6tC,EAAa7tC,KAAqB,CAC/D,MAAMklC,EAAU,IAAI,KAAK4I,aAAa9tC,KAAK6tC,EAAa7tC,MACxD,OAAO,KAAK2lC,aAAeT,EAAUA,EAAQ5tB,SACjD,CACA,OAAO8T,GAAQ,IAAI,KAAK0iB,gBAAiB,KAAKH,kBAClD,EACAG,WAAAA,GACI,MAAMC,EAAa,KAAKnpB,iBAAiBN,WAAWC,YACpD,OAAQ,KAAK2f,eAAetU,WAAa,IACpCv7B,IAAI,KAAKi6B,SACTl6B,QAAO5B,GACHu7C,IAGIv7C,EAFEA,IAAqC,IAA7BA,GAAM0+B,YAAY8c,SAAoBx7C,GAAM2+B,SAAS97B,WAAW,MAI3F,EAIA44C,UAAAA,GACI,OAAmC,IAA5B,KAAKH,YAAYhqD,MAC5B,EAMAoqD,YAAAA,GACI,YAA8BtpD,IAAvB,KAAKs/C,gBACJ,KAAK+J,YACN,KAAKnV,OAChB,EAIAqV,aAAAA,GACI,MAAM/lB,EAAM,KAAKA,IAAItqB,MAAM,KAAKva,MAAM,GAAI,GAAGya,KAAK,MAAQ,IAC1D,MAAO,IAAK,KAAKuI,OAAQ3F,MAAO,CAAEwnB,OACtC,EACAgmB,eAAAA,GACI,GAAK,KAAKlK,eAAehT,aAAa,eAGtC,OAAOvvC,OAAO2R,OAAO,KAAK4wC,eAAehT,aAAa,gBAAkB,CAAC,GAAG/vB,MAChF,EACAktC,gBAAAA,GACI,OAAK,KAAKD,gBAGN,KAAKE,kBAAoBZ,GAAAA,EAAK9N,gBACvB,KAAKld,EAAE,QAAS,kBAEpB,KAAKA,EAAE,QAAS,UALZ,KAAKA,EAAE,QAAS,QAM/B,EACA4rB,eAAAA,GACI,OAAK,KAAKF,gBAIN,KAAKA,gBAAgB1iB,MAAKx+B,GAAQA,IAASwgD,GAAAA,EAAK9N,kBACzC8N,GAAAA,EAAK9N,gBAET8N,GAAAA,EAAKa,gBAND,IAOf,EACAC,mBAAAA,GACI,OAAO,KAAKlqB,WAAWI,UACjB,KAAKhC,EAAE,QAAS,uBAChB,KAAKA,EAAE,QAAS,sBAC1B,EAIAkpB,SAAAA,GACI,OAAO,KAAK1H,eAA0E,IAAxD,KAAKA,cAAcpW,YAAcC,GAAAA,GAAWiJ,OAC9E,EACA6U,eAAAA,GACI,OAAqE,IAA9D,KAAK3H,eAAehT,aAAa,wBAC5C,EACA4a,eAAAA,GACI,OAAI,KAAKD,gBACE,KAAKnpB,EAAE,QAAS,mEAEpB,KAAKA,EAAE,QAAS,2DAC3B,EAIA+rB,QAAAA,GACI,OAAO/B,IACA,KAAKxI,eAAyE,IAAvD,KAAKA,cAAcpW,YAAcC,GAAAA,GAAW2gB,MAC9E,GAEJx3C,MAAO,CACH8vB,WAAAA,CAAY2nB,EAASpnB,GACbonB,GAASloD,KAAO8gC,GAAS9gC,KAG7B88B,GAAOkE,MAAM,eAAgB,CAAEknB,UAASpnB,YACxC,KAAKmT,eAAerK,QACpB,KAAKue,eACT,EACAxmB,GAAAA,CAAIymB,EAAQC,GACRvrB,GAAOkE,MAAM,oBAAqB,CAAEonB,SAAQC,WAE5C,KAAKpU,eAAerK,QACpB,KAAKue,eAED,KAAKrc,OAAOwc,kBAAkB3qB,MAC9B,KAAKmO,MAAMwc,iBAAiB3qB,IAAI+kB,UAAY,EAEpD,EACA2E,WAAAA,CAAYkB,GACRzrB,GAAOkE,MAAM,6BAA8B,CAAE1I,KAAM,KAAKiI,YAAaioB,OAAQ,KAAK/K,cAAe8K,cACjG9qD,EAAAA,GAAAA,IAAK,qBAAsB,CAAE66B,KAAM,KAAKiI,YAAaioB,OAAQ,KAAK/K,cAAe8K,YACrF,GAEJjsB,OAAAA,GACI,KAAK6rB,gBACLlvB,EAAAA,GAAAA,IAAU,qBAAsB,KAAKuP,cACzC,EACAigB,SAAAA,IACIC,EAAAA,GAAAA,IAAY,qBAAsB,KAAKlgB,cAC3C,EACA/L,QAAS,CACL,kBAAM0rB,GACF,KAAK9V,SAAU,EACf,MAAM1Q,EAAM,KAAKA,IACXpB,EAAc,KAAKA,YACzB,GAAKA,EAAL,CAKoC,mBAAzB,KAAKymB,SAASxsB,SACrB,KAAKwsB,QAAQxsB,SACbsC,GAAOkE,MAAM,qCAGjB,KAAKgmB,QAAUzmB,EAAYooB,YAAYhnB,GACvC,IACI,MAAM,OAAE6mB,EAAM,SAAED,SAAmB,KAAKvB,QACxClqB,GAAOkE,MAAM,mBAAoB,CAAEW,MAAK6mB,SAAQD,aAEhD,KAAKre,WAAWhC,YAAYqgB,GAG5B,KAAKK,KAAKJ,EAAQ,YAAaD,EAAS36C,KAAI3I,GAAQA,EAAK28B,UAE7C,MAARD,EACA,KAAKuI,WAAW7B,QAAQ,CAAEJ,QAAS1H,EAAYvgC,GAAIonC,KAAMohB,IAIrDA,EAAO5mB,QACP,KAAKsI,WAAWhC,YAAY,CAACsgB,IAC7B,KAAK9f,WAAWG,QAAQ,CAAEZ,QAAS1H,EAAYvgC,GAAI4hC,OAAQ4mB,EAAO5mB,OAAQpzB,KAAMmzB,KAIhF7E,GAAOl4B,MAAM,+BAAgC,CAAE+8B,MAAK6mB,SAAQjoB,gBAIpDgoB,EAAS56C,QAAO1I,GAAsB,WAAdA,EAAKwB,OACrCqG,SAAQ7H,IACZ,KAAKyjC,WAAWG,QAAQ,CAAEZ,QAAS1H,EAAYvgC,GAAI4hC,OAAQ38B,EAAK28B,OAAQpzB,MAAM+I,EAAAA,GAAAA,MAAKoqB,EAAK18B,EAAKylC,WAAY,GAEjH,CACA,MAAO9lC,GACHk4B,GAAOl4B,MAAM,+BAAgC,CAAEA,SACnD,CAAC,QAEG,KAAKytC,SAAU,CACnB,CA1CA,MAFIvV,GAAOkE,MAAM,mDAAqD,CAAET,eA6C5E,EAOAsH,OAAAA,CAAQ2C,GACJ,OAAO,KAAKN,WAAWrC,QAAQ2C,EACnC,EAKAqe,QAAAA,CAASzL,IAGqBlU,EAAAA,GAAAA,SAAQkU,EAAO16B,UACE,KAAK+6B,eAAe/6B,QAK3D,KAAKylC,cAEb,EACA,kBAAMW,CAAa1L,GACf,MAAMr4C,EAASq4C,EAAO34C,UAAUM,QAAU,EAE1C,GAAe,MAAXA,EAIC,GAAe,MAAXA,GAA6B,MAAXA,EAItB,GAAe,MAAXA,EAAJ,CAKL,IACI,MAAMgkD,EAAS,IAAIC,GAAAA,OAAO,CAAEjvC,MAAM,EAAMkvC,cAAc,IAEhDphD,SADiBkhD,EAAOG,mBAAmB9L,EAAO34C,UAAUhE,OACzC,aAAa,GACtC,GAAuB,iBAAZoH,GAA2C,KAAnBA,EAAQkS,OAGvC,YADAgjB,EAAAA,GAAAA,IAAU,KAAKd,EAAE,QAAS,iCAAkC,CAAEp0B,YAGtE,CACA,MAAOjD,GAAS,CAED,IAAXG,GAIJg4B,EAAAA,GAAAA,IAAU,KAAKd,EAAE,QAAS,iCAHtBc,EAAAA,GAAAA,IAAU,KAAKd,EAAE,QAAS,4CAA6C,CAAEl3B,WAf7E,MAFIg4B,EAAAA,GAAAA,IAAU,KAAKd,EAAE,QAAS,gDAJ1Bc,EAAAA,GAAAA,IAAU,KAAKd,EAAE,QAAS,+CAJ1Bc,EAAAA,GAAAA,IAAU,KAAKd,EAAE,QAAS,yBA6BlC,EAMAuM,aAAAA,CAAcvjC,GACNA,GAAM28B,SAAW,KAAK6b,eAAe7b,QACrC,KAAKumB,cAEb,EACAgB,kBAAAA,GACQrqD,QAAQ4/B,KAAKC,OAAOuC,SAASkoB,cAC7BtqD,OAAO4/B,IAAIC,MAAMuC,QAAQkoB,aAAa,WAE1C1M,GAAcvjC,KAAK,KAAKskC,cAAe,KAAKld,YAAa,KAAKkd,cAAcjvC,KAChF,EACA66C,cAAAA,GACI,KAAKlrB,gBAAgB3F,OAAO,aAAc,KAAKqF,WAAWI,UAC9D,EACAhC,EAAGe,GAAAA,GACH7I,EAAGm1B,GAAAA,sB0J9YP,GAAU,CAAC,EAEf,GAAQrsB,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,I3JTW,WAAkB,IAAIzC,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMgQ,YAAmBjQ,EAAG,eAAe,CAACrZ,MAAM,CAAC,wBAAwB,KAAK,CAACqZ,EAAG,MAAM,CAACG,YAAY,sBAAsB,CAACH,EAAG,cAAc,CAACrZ,MAAM,CAAC,KAAOoZ,EAAI8G,KAAKrjC,GAAG,CAAC,OAASu8B,EAAIstB,cAAcroB,YAAYjF,EAAIkF,GAAG,CAAC,CAACv3B,IAAI,UAAUhN,GAAG,WAAW,MAAO,CAAEq/B,EAAImtB,UAAYntB,EAAIuX,gBAAkB,IAAKtX,EAAG,WAAW,CAACG,YAAY,kCAAkCtT,MAAM,CAAE,0CAA2CkT,EAAIgtB,iBAAkBpmC,MAAM,CAAC,aAAaoZ,EAAI+sB,iBAAiB,MAAQ/sB,EAAI+sB,iBAAiB,KAAO,YAAYtpD,GAAG,CAAC,MAAQu8B,EAAIsuB,oBAAoBrpB,YAAYjF,EAAIkF,GAAG,CAAC,CAACv3B,IAAI,OAAOhN,GAAG,WAAW,MAAO,CAAEq/B,EAAIgtB,kBAAoBhtB,EAAIosB,KAAK9N,gBAAiBre,EAAG,YAAYA,EAAG,mBAAmB,CAACrZ,MAAM,CAAC,KAAO,MAAM,EAAE7e,OAAM,IAAO,MAAK,EAAM,cAAci4B,EAAIzlB,KAAKylB,EAAIQ,GAAG,MAAOR,EAAIsqB,WAAatqB,EAAIuqB,gBAAiBtqB,EAAG,WAAW,CAACG,YAAY,6CAA6CxZ,MAAM,CAAC,aAAaoZ,EAAIwqB,gBAAgB,MAAQxqB,EAAIwqB,gBAAgB,UAAW,EAAK,KAAO,aAAavlB,YAAYjF,EAAIkF,GAAG,CAAC,CAACv3B,IAAI,OAAOhN,GAAG,WAAW,MAAO,CAACs/B,EAAG,WAAW,CAACrZ,MAAM,CAAC,KAAO,MAAM,EAAE7e,OAAM,IAAO,MAAK,EAAM,aAAa,CAACi4B,EAAIQ,GAAG,eAAeR,EAAIxuB,GAAGwuB,EAAIoB,EAAE,QAAS,QAAQ,gBAAiBpB,EAAI4iB,cAAe3iB,EAAG,eAAe,CAACG,YAAY,mCAAmCxZ,MAAM,CAAC,QAAUoZ,EAAIwsB,YAAY,YAAcxsB,EAAI4iB,cAAc,UAAW,GAAMn/C,GAAG,CAAC,OAASu8B,EAAIiuB,aAAa,SAAWjuB,EAAIguB,YAAYhuB,EAAIzlB,KAAK,EAAExS,OAAM,OAAUi4B,EAAIQ,GAAG,KAAMR,EAAIuX,gBAAkB,KAAOvX,EAAIuE,eAAgBtE,EAAG,WAAW,CAACG,YAAY,iCAAiCxZ,MAAM,CAAC,aAAaoZ,EAAIktB,oBAAoB,MAAQltB,EAAIktB,oBAAoB,KAAO,YAAYzpD,GAAG,CAAC,MAAQu8B,EAAIwuB,gBAAgBvpB,YAAYjF,EAAIkF,GAAG,CAAC,CAACv3B,IAAI,OAAOhN,GAAG,WAAW,MAAO,CAAEq/B,EAAIgD,WAAWI,UAAWnD,EAAG,gBAAgBA,EAAG,gBAAgB,EAAEl4B,OAAM,IAAO,MAAK,EAAM,cAAci4B,EAAIzlB,KAAKylB,EAAIQ,GAAG,KAAMR,EAAI4sB,aAAc3sB,EAAG,gBAAgB,CAACG,YAAY,6BAA6BJ,EAAIzlB,MAAM,GAAGylB,EAAIQ,GAAG,MAAOR,EAAIwX,SAAWxX,EAAIsqB,UAAWrqB,EAAG,oBAAoB,CAACrZ,MAAM,CAAC,iBAAiBoZ,EAAI4iB,iBAAiB5iB,EAAIzlB,KAAKylB,EAAIQ,GAAG,KAAMR,EAAIwX,UAAYxX,EAAI4sB,aAAc3sB,EAAG,gBAAgB,CAACG,YAAY,2BAA2BxZ,MAAM,CAAC,KAAO,GAAG,KAAOoZ,EAAIoB,EAAE,QAAS,8BAA+BpB,EAAIwX,SAAWxX,EAAI2sB,WAAY1sB,EAAG,iBAAiB,CAACrZ,MAAM,CAAC,KAAOoZ,EAAI0F,aAAagpB,YAAc1uB,EAAIoB,EAAE,QAAS,oBAAoB,YAAcpB,EAAI0F,aAAaipB,cAAgB3uB,EAAIoB,EAAE,QAAS,kDAAkD,8BAA8B,IAAI6D,YAAYjF,EAAIkF,GAAG,CAAC,CAACv3B,IAAI,SAAShN,GAAG,WAAW,MAAO,CAAc,MAAZq/B,EAAI8G,IAAa7G,EAAG,WAAW,CAACrZ,MAAM,CAAC,aAAaoZ,EAAIoB,EAAE,QAAS,6BAA6B,KAAO,UAAU,GAAKpB,EAAI6sB,gBAAgB,CAAC7sB,EAAIQ,GAAG,aAAaR,EAAIxuB,GAAGwuB,EAAIoB,EAAE,QAAS,YAAY,cAAcpB,EAAIzlB,KAAK,EAAExS,OAAM,GAAM,CAAC4F,IAAI,OAAOhN,GAAG,WAAW,MAAO,CAACs/B,EAAG,mBAAmB,CAACrZ,MAAM,CAAC,IAAMoZ,EAAI0F,YAAY11B,QAAQ,EAAEjI,OAAM,OAAUk4B,EAAG,mBAAmB,CAAClnB,IAAI,mBAAmB6N,MAAM,CAAC,iBAAiBoZ,EAAI4iB,cAAc,eAAe5iB,EAAI0F,YAAY,MAAQ1F,EAAIssB,sBAAsB,EAChmG,GACsB,I2JUpB,EACA,KACA,WACA,MAI8B,QCnB+M,I7LIhOrd,EAAAA,EAAAA,iBAAgB,CAC3BntC,KAAM,WACNya,WAAY,CACRqyC,UAAS,KACTC,UAAS,GACTC,WAAUA,M8LSlB,IAXgB,QACd,I9LRW,WAAkB,IAAI9uB,EAAIl/B,KAAKm/B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMgQ,YAAmBjQ,EAAG,YAAY,CAACrZ,MAAM,CAAC,WAAW,UAAU,CAACqZ,EAAG,cAAcD,EAAIQ,GAAG,KAAKP,EAAG,cAAc,EAC3L,GACsB,I8LSpB,EACA,KACA,KACA,MAI8B,QCNhC8uB,EAAAA,GAAoBC,MAAKC,EAAAA,GAAAA,OAEzBhrD,OAAO4/B,IAAIC,MAAQ7/B,OAAO4/B,IAAIC,OAAS,CAAC,EACxC7/B,OAAO0oC,IAAI7I,MAAQ7/B,OAAO0oC,IAAI7I,OAAS,CAAC,EAExC,MAAM5G,GAAS,ICjBA,MAEXv4B,WAAAA,CAAYge,eAAQ,oaAChB7hB,KAAKw7B,QAAU3Z,CACnB,CACA,QAAI7gB,GACA,OAAOhB,KAAKw7B,QAAQvM,aAAajuB,IACrC,CACA,SAAIwd,GACA,OAAOxe,KAAKw7B,QAAQvM,aAAazQ,OAAS,CAAC,CAC/C,CACA,UAAIyD,GACA,OAAOjiB,KAAKw7B,QAAQvM,aAAahN,QAAU,CAAC,CAChD,CAQAmsC,IAAAA,CAAKv7C,GAAuB,IAAjB9G,EAAOzJ,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,IAAAA,UAAA,GACd,OAAOtC,KAAKw7B,QAAQh7B,KAAK,CACrBqS,OACA9G,WAER,CAUA+/B,SAAAA,CAAU9qC,EAAMihB,EAAQzD,EAAOzS,GAC3B,OAAO/L,KAAKw7B,QAAQh7B,KAAK,CACrBQ,OACAwd,QACAyD,SACAlW,WAER,GD1B6B8V,IACjCtiB,OAAOmF,OAAOvB,OAAO0oC,IAAI7I,MAAO,CAAE5G,YAElCrB,EAAAA,QAAIoB,KvMo5DmB,SAAU5R,GAG7BA,EAAK+Q,MAAM,CACP,YAAAC,GACI,MAAMznB,EAAU9T,KAAKo7B,SACrB,GAAItnB,EAAQzM,MAAO,CACf,MAAMA,EAAQyM,EAAQzM,MAGtB,IAAKrH,KAAKquD,UAAW,CACjB,MAAMC,EAAe,CAAC,EACtB/uD,OAAOua,eAAe9Z,KAAM,YAAa,CACrC+F,IAAK,IAAMuoD,EACXv7C,IAAMkf,GAAM1yB,OAAOmF,OAAO4pD,EAAcr8B,IAEhD,CACAjyB,KAAKquD,UAAU/mD,GAAeD,EAIzBrH,KAAKkjD,SACNljD,KAAKkjD,OAAS77C,GAElBA,EAAM3B,GAAK1F,KACP6H,GAGAT,EAAeC,GAEfS,GACA2G,EAAsBpH,EAAM3B,GAAI2B,EAExC,MACUrH,KAAKkjD,QAAUpvC,EAAQ0O,QAAU1O,EAAQ0O,OAAO0gC,SACtDljD,KAAKkjD,OAASpvC,EAAQ0O,OAAO0gC,OAErC,EACA,SAAAxnB,UACW17B,KAAKgR,QAChB,GAER,IuM77DA,MAAM3J,GvMi7BN,WACI,MAAMmQ,GAAQ,IAAAkC,cAAY,GAGpB9M,EAAQ4K,EAAM0B,KAAI,KAAM,IAAAjB,KAAI,CAAC,KACnC,IAAIe,EAAK,GAELu1C,EAAgB,GACpB,MAAMlnD,GAAQ,IAAAkO,SAAQ,CAClB,OAAAulB,CAAQpsB,GAGJtH,EAAeC,GACV,IACDA,EAAM3B,GAAKgJ,EACXA,EAAI8/C,QAAQlnD,EAAaD,GACzBqH,EAAIkX,OAAO6oC,iBAAiBvL,OAAS77C,EAEjCS,GACA2G,EAAsBC,EAAKrH,GAE/BknD,EAAcp9C,SAASrN,GAAWkV,EAAGxY,KAAKsD,KAC1CyqD,EAAgB,GAExB,EACA,GAAApyB,CAAIr4B,GAOA,OANK9D,KAAK0F,IAAO,EAIbsT,EAAGxY,KAAKsD,GAHRyqD,EAAc/tD,KAAKsD,GAKhB9D,IACX,EACAgZ,KAGAtT,GAAI,KACJ+T,GAAIjC,EACJ9G,GAAI,IAAIgG,IACR9J,UAOJ,OAHI9E,GAAiC,oBAAVtE,OACvB6D,EAAM80B,IAAItoB,GAEPxM,CACX,CuMj+BcqnD,GAERV,IAAa7gB,EAAAA,GAAAA,MACnBpS,EAAAA,QAAIv7B,UAAUulC,YAAcipB,GAE5B,MAAM/qB,GAAW,IEJF,MAIdp/B,WAAAA,eAAc,saACb7D,KAAK2uD,UAAY,GACjB3lD,GAAQq8B,MAAM,iCACf,CASAupB,QAAAA,CAASjyB,GACR,OAAI38B,KAAK2uD,UAAU38C,QAAO/M,GAAKA,EAAEjE,OAAS27B,EAAK37B,OAAMU,OAAS,GAC7DsH,GAAQC,MAAM,uDACP,IAERjJ,KAAK2uD,UAAUnuD,KAAKm8B,IACb,EACR,CAOA,YAAIv4B,GACH,OAAOpE,KAAK2uD,SACb,GF3BDpvD,OAAOmF,OAAOvB,OAAO4/B,IAAIC,MAAO,CAAEC,SAAQA,KAC1C1jC,OAAOmF,OAAOvB,OAAO4/B,IAAIC,MAAMC,SAAU,CAAEH,QGL5B,MAiBdj/B,WAAAA,CAAY7C,EAAIu8B,GAAuB,IAArB,GAAElL,EAAE,KAAE3pB,EAAI,MAAEk7B,GAAOrG,EAAAsxB,GAAA,sBAAAA,GAAA,mBAAAA,GAAA,qBAAAA,GAAA,qBACpC7uD,KAAK8uD,MAAQ9tD,EACbhB,KAAK+uD,IAAM18B,EACXryB,KAAKgvD,MAAQtmD,EACb1I,KAAKivD,OAASrrB,EAEY,mBAAf5jC,KAAKgvD,QACfhvD,KAAKgvD,MAAQ,QAGa,mBAAhBhvD,KAAKivD,SACfjvD,KAAKivD,OAAS,OAEhB,CAEA,QAAIjuD,GACH,OAAOhB,KAAK8uD,KACb,CAEA,MAAIz8B,GACH,OAAOryB,KAAK+uD,GACb,CAEA,QAAIrmD,GACH,OAAO1I,KAAKgvD,KACb,CAEA,SAAIprB,GACH,OAAO5jC,KAAKivD,MACb,KHvCD,IADoBl0B,EAAAA,QAAIta,OAAOyuC,IAC/B,CAAgB,CACZrtC,OAAM,GACNxa,WACDupC,OAAO,2HI7BNue,EAAgC,IAAI3kD,IAAI,cACxC4kD,EAAgC,IAAI5kD,IAAI,cACxC6kD,EAA0B,IAA4B,KACtDC,EAAqC,IAAgCH,GACrEI,EAAqC,IAAgCH,GAEzEC,EAAwB7uD,KAAK,CAACuC,EAAOsB,GAAI,0hEAiEfirD,+oCAyCAC,0zMAoQvB,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,8DAA8D,MAAQ,GAAG,SAAW,s1FAAs1F,eAAiB,CAAC,0/TAA0/T,WAAa,MAEj+Z,4FCvXIF,QAA0B,GAA4B,KAE1DA,EAAwB7uD,KAAK,CAACuC,EAAOsB,GAAI,0zBAsCtC,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,6EAA6E,MAAQ,GAAG,SAAW,yTAAyT,eAAiB,CAAC,2zBAA2zB,WAAa,MAEpxC,4FC1CIgrD,QAA0B,GAA4B,KAE1DA,EAAwB7uD,KAAK,CAACuC,EAAOsB,GAAI,6HAA8H,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,yDAAyD,MAAQ,GAAG,SAAW,8CAA8C,eAAiB,CAAC,qKAAqK,WAAa,MAEngB,4FCJIgrD,QAA0B,GAA4B,KAE1DA,EAAwB7uD,KAAK,CAACuC,EAAOsB,GAAI,+jBAAgkB,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,+DAA+D,MAAQ,GAAG,SAAW,wOAAwO,eAAiB,CAAC,sqBAAsqB,WAAa,MAEtoD,4FCJIgrD,QAA0B,GAA4B,KAE1DA,EAAwB7uD,KAAK,CAACuC,EAAOsB,GAAI,omCAAqmC,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,gEAAgE,MAAQ,GAAG,SAAW,gYAAgY,eAAiB,CAAC,23CAA23C,WAAa,MAEzhG,4FCJIgrD,QAA0B,GAA4B,KAE1DA,EAAwB7uD,KAAK,CAACuC,EAAOsB,GAAI,8YAA+Y,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,oEAAoE,MAAQ,GAAG,SAAW,4IAA4I,eAAiB,CAAC,6sBAA6sB,WAAa,MAEr6C,4FCJIgrD,QAA0B,GAA4B,KAE1DA,EAAwB7uD,KAAK,CAACuC,EAAOsB,GAAI,wYAAyY,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,wEAAwE,MAAQ,GAAG,SAAW,oDAAoD,eAAiB,CAAC,ggBAAogB,WAAa,MAEloC,4FCJIgrD,QAA0B,GAA4B,KAE1DA,EAAwB7uD,KAAK,CAACuC,EAAOsB,GAAI,uMAAwM,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,wEAAwE,MAAQ,GAAG,SAAW,oCAAoC,eAAiB,CAAC,kOAAkO,WAAa,MAE/oB,4FCJIgrD,QAA0B,GAA4B,KAE1DA,EAAwB7uD,KAAK,CAACuC,EAAOsB,GAAI,mPAAoP,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,kEAAkE,MAAQ,GAAG,SAAW,gFAAgF,eAAiB,CAAC,8XAA8X,WAAa,MAE73B,4FCJIgrD,QAA0B,GAA4B,KAE1DA,EAAwB7uD,KAAK,CAACuC,EAAOsB,GAAI,sKAAuK,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,kEAAkE,MAAQ,GAAG,SAAW,8CAA8C,eAAiB,CAAC,wNAAwN,WAAa,MAExmB,4FCJIgrD,QAA0B,GAA4B,KAE1DA,EAAwB7uD,KAAK,CAACuC,EAAOsB,GAAI,2FAA4F,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,yEAAyE,MAAQ,GAAG,SAAW,6BAA6B,eAAiB,CAAC,6FAA6F,WAAa,MAExZ,4FCJIgrD,QAA0B,GAA4B,KAE1DA,EAAwB7uD,KAAK,CAACuC,EAAOsB,GAAI,q5BAAs5B,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,wEAAwE,MAAQ,GAAG,SAAW,4IAA4I,eAAiB,CAAC,ilBAAilB,WAAa,MAEpzD,4FCJIgrD,QAA0B,GAA4B,KAE1DA,EAAwB7uD,KAAK,CAACuC,EAAOsB,GAAI,moPAAooP,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,8DAA8D,MAAQ,GAAG,SAAW,i5DAAi5D,eAAiB,CAAC,k6RAAk6R,WAAa,MAE9mlB,4FCJIgrD,QAA0B,GAA4B,KAE1DA,EAAwB7uD,KAAK,CAACuC,EAAOsB,GAAI,y2DAA02D,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,8DAA8D,MAAQ,GAAG,SAAW,0kBAA0kB,eAAiB,CAAC,6nEAA6nE,WAAa,MAExuJ,4FCJIgrD,QAA0B,GAA4B,KAE1DA,EAAwB7uD,KAAK,CAACuC,EAAOsB,GAAI,mQAAoQ,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,6DAA6D,MAAQ,GAAG,SAAW,mEAAmE,eAAiB,CAAC,+UAA+U,WAAa,MAE50B,4FCJIgrD,QAA0B,GAA4B,KAE1DA,EAAwB7uD,KAAK,CAACuC,EAAOsB,GAAI,miBAAoiB,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,kDAAkD,MAAQ,GAAG,SAAW,0NAA0N,eAAiB,CAAC,y2BAAy2B,WAAa,MAElxD,4FCJIgrD,QAA0B,GAA4B,KAE1DA,EAAwB7uD,KAAK,CAACuC,EAAOsB,GAAI,sfAAuf,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,mDAAmD,MAAQ,GAAG,SAAW,iHAAiH,eAAiB,CAAC,mrBAAmrB,WAAa,MAEv8C,4FCJIgrD,QAA0B,GAA4B,KAE1DA,EAAwB7uD,KAAK,CAACuC,EAAOsB,GAAI,kEAAmE,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,iDAAiD,MAAQ,GAAG,SAAW,mBAAmB,eAAiB,CAAC,+DAA+D,WAAa,MAE/T,2BCPA,IAAI4N,EAAM,CACT,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,aAAc,MACd,UAAW,MACX,aAAc,MACd,UAAW,MACX,aAAc,MACd,UAAW,MACX,aAAc,MACd,UAAW,MACX,aAAc,MACd,UAAW,MACX,aAAc,MACd,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,KACR,UAAW,KACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,KACR,UAAW,MACX,aAAc,MACd,UAAW,KACX,OAAQ,MACR,UAAW,MACX,OAAQ,KACR,UAAW,KACX,OAAQ,MACR,UAAW,MACX,OAAQ,KACR,UAAW,KACX,OAAQ,KACR,UAAW,KACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,aAAc,MACd,UAAW,MACX,aAAc,MACd,UAAW,MACX,OAAQ,KACR,UAAW,KACX,OAAQ,MACR,UAAW,MACX,UAAW,MACX,aAAc,MACd,UAAW,MACX,aAAc,MACd,UAAW,MACX,aAAc,MACd,UAAW,MACX,aAAc,MACd,UAAW,MACX,aAAc,MACd,UAAW,MACX,aAAc,MACd,UAAW,MACX,aAAc,MACd,UAAW,MACX,aAAc,MACd,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,aAAc,MACd,UAAW,MACX,aAAc,MACd,UAAW,MACX,aAAc,MACd,UAAW,MACX,OAAQ,KACR,UAAW,KACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,QAAS,MACT,WAAY,MACZ,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,aAAc,MACd,UAAW,MACX,aAAc,MACd,UAAW,MACX,OAAQ,KACR,UAAW,KACX,OAAQ,MACR,UAAW,MACX,OAAQ,KACR,UAAW,KACX,OAAQ,MACR,UAAW,MACX,aAAc,MACd,gBAAiB,MACjB,aAAc,MACd,gBAAiB,MACjB,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,UAAW,MACX,aAAc,MACd,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,aAAc,MACd,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,KACR,UAAW,KACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,KACR,UAAW,KACX,OAAQ,MACR,UAAW,MACX,OAAQ,KACR,UAAW,MACX,aAAc,MACd,UAAW,KACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,aAAc,MACd,UAAW,MACX,OAAQ,MACR,UAAW,MACX,WAAY,MACZ,cAAe,MACf,UAAW,MACX,aAAc,MACd,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,aAAc,MACd,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,YAAa,MACb,eAAgB,MAChB,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,QAAS,MACT,WAAY,MACZ,OAAQ,MACR,UAAW,MACX,OAAQ,KACR,UAAW,KACX,OAAQ,MACR,UAAW,MACX,UAAW,MACX,aAAc,MACd,QAAS,MACT,WAAY,MACZ,OAAQ,MACR,UAAW,MACX,QAAS,MACT,WAAY,MACZ,QAAS,MACT,aAAc,MACd,gBAAiB,MACjB,WAAY,MACZ,UAAW,KACX,aAAc,KACd,OAAQ,MACR,UAAW,MACX,OAAQ,MACR,UAAW,MACX,OAAQ,KACR,YAAa,MACb,eAAgB,MAChB,UAAW,KACX,OAAQ,MACR,UAAW,MACX,aAAc,MACd,gBAAiB,MACjB,OAAQ,MACR,UAAW,MACX,UAAW,MACX,aAAc,MACd,UAAW,MACX,aAAc,MACd,UAAW,MACX,aAAc,MACd,UAAW,MACX,aAAc,OAIf,SAASu9C,EAAeC,GACvB,IAAIprD,EAAKqrD,EAAsBD,GAC/B,OAAOE,EAAoBtrD,EAC5B,CACA,SAASqrD,EAAsBD,GAC9B,IAAIE,EAAoBloD,EAAEwK,EAAKw9C,GAAM,CACpC,IAAIxqD,EAAI,IAAI6G,MAAM,uBAAyB2jD,EAAM,KAEjD,MADAxqD,EAAE2qD,KAAO,mBACH3qD,CACP,CACA,OAAOgN,EAAIw9C,EACZ,CACAD,EAAeppD,KAAO,WACrB,OAAO7G,OAAO6G,KAAK6L,EACpB,EACAu9C,EAAelpD,QAAUopD,EACzB3sD,EAAOC,QAAUwsD,EACjBA,EAAenrD,GAAK,8CCnSnB,SAAWwrD,GACVA,EAAIzC,OAAS,SAAU/vC,EAAQyyC,GAAO,OAAO,IAAIC,EAAU1yC,EAAQyyC,EAAK,EACxED,EAAIE,UAAYA,EAChBF,EAAIG,UAAYA,EAChBH,EAAII,aAwKJ,SAAuB5yC,EAAQyyC,GAC7B,OAAO,IAAIE,EAAU3yC,EAAQyyC,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,EAAW1yC,EAAQyyC,GAC1B,KAAM9vD,gBAAgB+vD,GACpB,OAAO,IAAIA,EAAU1yC,EAAQyyC,GAG/B,IAAI1C,EAASptD,MAqFf,SAAuBotD,GACrB,IAAK,IAAI5rD,EAAI,EAAGC,EAAI2uD,EAAQ1uD,OAAQF,EAAIC,EAAGD,IACzC4rD,EAAOgD,EAAQ5uD,IAAM,EAEzB,CAxFE6uD,CAAajD,GACbA,EAAOkD,EAAIlD,EAAOxsC,EAAI,GACtBwsC,EAAOmD,oBAAsBV,EAAIK,kBACjC9C,EAAO0C,IAAMA,GAAO,CAAC,EACrB1C,EAAO0C,IAAIU,UAAYpD,EAAO0C,IAAIU,WAAapD,EAAO0C,IAAIW,cAC1DrD,EAAOsD,UAAYtD,EAAO0C,IAAIU,UAAY,cAAgB,cAC1DpD,EAAOuD,KAAO,GACdvD,EAAOwD,OAASxD,EAAOyD,WAAazD,EAAO0D,SAAU,EACrD1D,EAAOziC,IAAMyiC,EAAOnkD,MAAQ,KAC5BmkD,EAAO/vC,SAAWA,EAClB+vC,EAAO2D,YAAc1zC,IAAU+vC,EAAO0C,IAAIiB,UAC1C3D,EAAOxgD,MAAQokD,EAAEC,MACjB7D,EAAO8D,eAAiB9D,EAAO0C,IAAIoB,eACnC9D,EAAO+D,SAAW/D,EAAO8D,eAAiB3xD,OAAOqB,OAAOivD,EAAIuB,cAAgB7xD,OAAOqB,OAAOivD,EAAIsB,UAC9F/D,EAAOiE,WAAa,GAKhBjE,EAAO0C,IAAIwB,QACblE,EAAOmE,GAAKhyD,OAAOqB,OAAO4wD,IAI5BpE,EAAOqE,eAAwC,IAAxBrE,EAAO0C,IAAIx+B,SAC9B87B,EAAOqE,gBACTrE,EAAO97B,SAAW87B,EAAOsE,KAAOtE,EAAOzL,OAAS,GAElD7/C,EAAKsrD,EAAQ,UACf,CAxDAyC,EAAI8B,OAAS,CACX,OACA,wBACA,kBACA,UACA,UACA,eACA,YACA,UACA,WACA,YACA,QACA,aACA,QACA,MACA,QACA,SACA,gBACA,kBAwCGpyD,OAAOqB,SACVrB,OAAOqB,OAAS,SAAU6G,GACxB,SAASmqD,IAAM,CAGf,OAFAA,EAAEpyD,UAAYiI,EACH,IAAImqD,CAEjB,GAGGryD,OAAO6G,OACV7G,OAAO6G,KAAO,SAAUqB,GACtB,IAAIyC,EAAI,GACR,IAAK,IAAI1I,KAAKiG,EAAOA,EAAEhI,eAAe+B,IAAI0I,EAAE1J,KAAKgB,GACjD,OAAO0I,CACT,GAyDF6lD,EAAUvwD,UAAY,CACpB0pB,IAAK,WAAcA,EAAIlpB,KAAM,EAC7B6xD,MA2yBF,SAAgBtqB,GACd,IAAI6lB,EAASptD,KACb,GAAIA,KAAKiJ,MACP,MAAMjJ,KAAKiJ,MAEb,GAAImkD,EAAOwD,OACT,OAAO3nD,EAAMmkD,EACX,wDAEJ,GAAc,OAAV7lB,EACF,OAAOre,EAAIkkC,GAEQ,iBAAV7lB,IACTA,EAAQA,EAAM7/B,YAIhB,IAFA,IAAIlG,EAAI,EACJof,EAAI,GAENA,EAAIwF,EAAOmhB,EAAO/lC,KAClB4rD,EAAOxsC,EAAIA,EAENA,GAcL,OAVIwsC,EAAOqE,gBACTrE,EAAO97B,WACG,OAAN1Q,GACFwsC,EAAOsE,OACPtE,EAAOzL,OAAS,GAEhByL,EAAOzL,UAIHyL,EAAOxgD,OACb,KAAKokD,EAAEC,MAEL,GADA7D,EAAOxgD,MAAQokD,EAAEc,iBACP,WAANlxC,EACF,SAEFmxC,EAAgB3E,EAAQxsC,GACxB,SAEF,KAAKowC,EAAEc,iBACLC,EAAgB3E,EAAQxsC,GACxB,SAEF,KAAKowC,EAAEgB,KACL,GAAI5E,EAAO0D,UAAY1D,EAAOyD,WAAY,CAExC,IADA,IAAIoB,EAASzwD,EAAI,EACVof,GAAW,MAANA,GAAmB,MAANA,IACvBA,EAAIwF,EAAOmhB,EAAO/lC,OACT4rD,EAAOqE,gBACdrE,EAAO97B,WACG,OAAN1Q,GACFwsC,EAAOsE,OACPtE,EAAOzL,OAAS,GAEhByL,EAAOzL,UAIbyL,EAAO8E,UAAY3qB,EAAM4qB,UAAUF,EAAQzwD,EAAI,EACjD,CACU,MAANof,GAAewsC,EAAO0D,SAAW1D,EAAOyD,aAAezD,EAAO/vC,QAI3D+0C,EAAaxxC,IAAQwsC,EAAO0D,UAAW1D,EAAOyD,YACjDwB,EAAWjF,EAAQ,mCAEX,MAANxsC,EACFwsC,EAAOxgD,MAAQokD,EAAEsB,YAEjBlF,EAAO8E,UAAYtxC,IATrBwsC,EAAOxgD,MAAQokD,EAAEuB,UACjBnF,EAAOoF,iBAAmBpF,EAAO97B,UAWnC,SAEF,KAAK0/B,EAAEyB,OAEK,MAAN7xC,EACFwsC,EAAOxgD,MAAQokD,EAAE0B,cAEjBtF,EAAOuF,QAAU/xC,EAEnB,SAEF,KAAKowC,EAAE0B,cACK,MAAN9xC,EACFwsC,EAAOxgD,MAAQokD,EAAE4B,WAEjBxF,EAAOuF,QAAU,IAAM/xC,EACvBwsC,EAAOxgD,MAAQokD,EAAEyB,QAEnB,SAEF,KAAKzB,EAAEuB,UAEL,GAAU,MAAN3xC,EACFwsC,EAAOxgD,MAAQokD,EAAE6B,UACjBzF,EAAO0F,SAAW,QACb,GAAIV,EAAaxxC,SAEjB,GAAImyC,EAAQC,EAAWpyC,GAC5BwsC,EAAOxgD,MAAQokD,EAAEiC,SACjB7F,EAAO8F,QAAUtyC,OACZ,GAAU,MAANA,EACTwsC,EAAOxgD,MAAQokD,EAAE4B,UACjBxF,EAAO8F,QAAU,QACZ,GAAU,MAANtyC,EACTwsC,EAAOxgD,MAAQokD,EAAEmC,UACjB/F,EAAOgG,aAAehG,EAAOiG,aAAe,OACvC,CAGL,GAFAhB,EAAWjF,EAAQ,eAEfA,EAAOoF,iBAAmB,EAAIpF,EAAO97B,SAAU,CACjD,IAAIgiC,EAAMlG,EAAO97B,SAAW87B,EAAOoF,iBACnC5xC,EAAI,IAAIhf,MAAM0xD,GAAK13C,KAAK,KAAOgF,CACjC,CACAwsC,EAAO8E,UAAY,IAAMtxC,EACzBwsC,EAAOxgD,MAAQokD,EAAEgB,IACnB,CACA,SAEF,KAAKhB,EAAE6B,WACAzF,EAAO0F,SAAWlyC,GAAG3D,gBAAkBs2C,GAC1CC,EAASpG,EAAQ,eACjBA,EAAOxgD,MAAQokD,EAAEuC,MACjBnG,EAAO0F,SAAW,GAClB1F,EAAOqG,MAAQ,IACNrG,EAAO0F,SAAWlyC,IAAM,MACjCwsC,EAAOxgD,MAAQokD,EAAE0C,QACjBtG,EAAOuG,QAAU,GACjBvG,EAAO0F,SAAW,KACR1F,EAAO0F,SAAWlyC,GAAG3D,gBAAkB22C,GACjDxG,EAAOxgD,MAAQokD,EAAE4C,SACbxG,EAAOyG,SAAWzG,EAAO0D,UAC3BuB,EAAWjF,EACT,+CAEJA,EAAOyG,QAAU,GACjBzG,EAAO0F,SAAW,IACH,MAANlyC,GACT4yC,EAASpG,EAAQ,oBAAqBA,EAAO0F,UAC7C1F,EAAO0F,SAAW,GAClB1F,EAAOxgD,MAAQokD,EAAEgB,MACR8B,EAAQlzC,IACjBwsC,EAAOxgD,MAAQokD,EAAE+C,iBACjB3G,EAAO0F,UAAYlyC,GAEnBwsC,EAAO0F,UAAYlyC,EAErB,SAEF,KAAKowC,EAAE+C,iBACDnzC,IAAMwsC,EAAOkD,IACflD,EAAOxgD,MAAQokD,EAAE6B,UACjBzF,EAAOkD,EAAI,IAEblD,EAAO0F,UAAYlyC,EACnB,SAEF,KAAKowC,EAAE4C,QACK,MAANhzC,GACFwsC,EAAOxgD,MAAQokD,EAAEgB,KACjBwB,EAASpG,EAAQ,YAAaA,EAAOyG,SACrCzG,EAAOyG,SAAU,IAEjBzG,EAAOyG,SAAWjzC,EACR,MAANA,EACFwsC,EAAOxgD,MAAQokD,EAAEgD,YACRF,EAAQlzC,KACjBwsC,EAAOxgD,MAAQokD,EAAEiD,eACjB7G,EAAOkD,EAAI1vC,IAGf,SAEF,KAAKowC,EAAEiD,eACL7G,EAAOyG,SAAWjzC,EACdA,IAAMwsC,EAAOkD,IACflD,EAAOkD,EAAI,GACXlD,EAAOxgD,MAAQokD,EAAE4C,SAEnB,SAEF,KAAK5C,EAAEgD,YACL5G,EAAOyG,SAAWjzC,EACR,MAANA,EACFwsC,EAAOxgD,MAAQokD,EAAE4C,QACRE,EAAQlzC,KACjBwsC,EAAOxgD,MAAQokD,EAAEkD,mBACjB9G,EAAOkD,EAAI1vC,GAEb,SAEF,KAAKowC,EAAEkD,mBACL9G,EAAOyG,SAAWjzC,EACdA,IAAMwsC,EAAOkD,IACflD,EAAOxgD,MAAQokD,EAAEgD,YACjB5G,EAAOkD,EAAI,IAEb,SAEF,KAAKU,EAAE0C,QACK,MAAN9yC,EACFwsC,EAAOxgD,MAAQokD,EAAEmD,eAEjB/G,EAAOuG,SAAW/yC,EAEpB,SAEF,KAAKowC,EAAEmD,eACK,MAANvzC,GACFwsC,EAAOxgD,MAAQokD,EAAEoD,cACjBhH,EAAOuG,QAAUU,EAASjH,EAAO0C,IAAK1C,EAAOuG,SACzCvG,EAAOuG,SACTH,EAASpG,EAAQ,YAAaA,EAAOuG,SAEvCvG,EAAOuG,QAAU,KAEjBvG,EAAOuG,SAAW,IAAM/yC,EACxBwsC,EAAOxgD,MAAQokD,EAAE0C,SAEnB,SAEF,KAAK1C,EAAEoD,cACK,MAANxzC,GACFyxC,EAAWjF,EAAQ,qBAGnBA,EAAOuG,SAAW,KAAO/yC,EACzBwsC,EAAOxgD,MAAQokD,EAAE0C,SAEjBtG,EAAOxgD,MAAQokD,EAAEgB,KAEnB,SAEF,KAAKhB,EAAEuC,MACK,MAAN3yC,EACFwsC,EAAOxgD,MAAQokD,EAAEsD,aAEjBlH,EAAOqG,OAAS7yC,EAElB,SAEF,KAAKowC,EAAEsD,aACK,MAAN1zC,EACFwsC,EAAOxgD,MAAQokD,EAAEuD,gBAEjBnH,EAAOqG,OAAS,IAAM7yC,EACtBwsC,EAAOxgD,MAAQokD,EAAEuC,OAEnB,SAEF,KAAKvC,EAAEuD,eACK,MAAN3zC,GACEwsC,EAAOqG,OACTD,EAASpG,EAAQ,UAAWA,EAAOqG,OAErCD,EAASpG,EAAQ,gBACjBA,EAAOqG,MAAQ,GACfrG,EAAOxgD,MAAQokD,EAAEgB,MACF,MAANpxC,EACTwsC,EAAOqG,OAAS,KAEhBrG,EAAOqG,OAAS,KAAO7yC,EACvBwsC,EAAOxgD,MAAQokD,EAAEuC,OAEnB,SAEF,KAAKvC,EAAEmC,UACK,MAANvyC,EACFwsC,EAAOxgD,MAAQokD,EAAEwD,iBACRpC,EAAaxxC,GACtBwsC,EAAOxgD,MAAQokD,EAAEyD,eAEjBrH,EAAOgG,cAAgBxyC,EAEzB,SAEF,KAAKowC,EAAEyD,eACL,IAAKrH,EAAOiG,cAAgBjB,EAAaxxC,GACvC,SACe,MAANA,EACTwsC,EAAOxgD,MAAQokD,EAAEwD,iBAEjBpH,EAAOiG,cAAgBzyC,EAEzB,SAEF,KAAKowC,EAAEwD,iBACK,MAAN5zC,GACF4yC,EAASpG,EAAQ,0BAA2B,CAC1CpsD,KAAMosD,EAAOgG,aACb/nD,KAAM+hD,EAAOiG,eAEfjG,EAAOgG,aAAehG,EAAOiG,aAAe,GAC5CjG,EAAOxgD,MAAQokD,EAAEgB,OAEjB5E,EAAOiG,cAAgB,IAAMzyC,EAC7BwsC,EAAOxgD,MAAQokD,EAAEyD,gBAEnB,SAEF,KAAKzD,EAAEiC,SACDF,EAAQ2B,EAAU9zC,GACpBwsC,EAAO8F,SAAWtyC,GAElB+zC,EAAOvH,GACG,MAANxsC,EACFg0C,EAAQxH,GACO,MAANxsC,EACTwsC,EAAOxgD,MAAQokD,EAAE6D,gBAEZzC,EAAaxxC,IAChByxC,EAAWjF,EAAQ,iCAErBA,EAAOxgD,MAAQokD,EAAE8D,SAGrB,SAEF,KAAK9D,EAAE6D,eACK,MAANj0C,GACFg0C,EAAQxH,GAAQ,GAChB2H,EAAS3H,KAETiF,EAAWjF,EAAQ,kDACnBA,EAAOxgD,MAAQokD,EAAE8D,QAEnB,SAEF,KAAK9D,EAAE8D,OAEL,GAAI1C,EAAaxxC,GACf,SACe,MAANA,EACTg0C,EAAQxH,GACO,MAANxsC,EACTwsC,EAAOxgD,MAAQokD,EAAE6D,eACR9B,EAAQC,EAAWpyC,IAC5BwsC,EAAO4H,WAAap0C,EACpBwsC,EAAO6H,YAAc,GACrB7H,EAAOxgD,MAAQokD,EAAEkE,aAEjB7C,EAAWjF,EAAQ,0BAErB,SAEF,KAAK4D,EAAEkE,YACK,MAANt0C,EACFwsC,EAAOxgD,MAAQokD,EAAEmE,aACF,MAANv0C,GACTyxC,EAAWjF,EAAQ,2BACnBA,EAAO6H,YAAc7H,EAAO4H,WAC5BI,EAAOhI,GACPwH,EAAQxH,IACCgF,EAAaxxC,GACtBwsC,EAAOxgD,MAAQokD,EAAEqE,sBACRtC,EAAQ2B,EAAU9zC,GAC3BwsC,EAAO4H,YAAcp0C,EAErByxC,EAAWjF,EAAQ,0BAErB,SAEF,KAAK4D,EAAEqE,sBACL,GAAU,MAANz0C,EACFwsC,EAAOxgD,MAAQokD,EAAEmE,iBACZ,IAAI/C,EAAaxxC,GACtB,SAEAyxC,EAAWjF,EAAQ,2BACnBA,EAAOziC,IAAImkB,WAAWse,EAAO4H,YAAc,GAC3C5H,EAAO6H,YAAc,GACrBzB,EAASpG,EAAQ,cAAe,CAC9BpsD,KAAMosD,EAAO4H,WACb3vD,MAAO,KAET+nD,EAAO4H,WAAa,GACV,MAANp0C,EACFg0C,EAAQxH,GACC2F,EAAQC,EAAWpyC,IAC5BwsC,EAAO4H,WAAap0C,EACpBwsC,EAAOxgD,MAAQokD,EAAEkE,cAEjB7C,EAAWjF,EAAQ,0BACnBA,EAAOxgD,MAAQokD,EAAE8D,OAErB,CACA,SAEF,KAAK9D,EAAEmE,aACL,GAAI/C,EAAaxxC,GACf,SACSkzC,EAAQlzC,IACjBwsC,EAAOkD,EAAI1vC,EACXwsC,EAAOxgD,MAAQokD,EAAEsE,sBAEjBjD,EAAWjF,EAAQ,4BACnBA,EAAOxgD,MAAQokD,EAAEuE,sBACjBnI,EAAO6H,YAAcr0C,GAEvB,SAEF,KAAKowC,EAAEsE,oBACL,GAAI10C,IAAMwsC,EAAOkD,EAAG,CACR,MAAN1vC,EACFwsC,EAAOxgD,MAAQokD,EAAEwE,sBAEjBpI,EAAO6H,aAAer0C,EAExB,QACF,CACAw0C,EAAOhI,GACPA,EAAOkD,EAAI,GACXlD,EAAOxgD,MAAQokD,EAAEyE,oBACjB,SAEF,KAAKzE,EAAEyE,oBACDrD,EAAaxxC,GACfwsC,EAAOxgD,MAAQokD,EAAE8D,OACF,MAANl0C,EACTg0C,EAAQxH,GACO,MAANxsC,EACTwsC,EAAOxgD,MAAQokD,EAAE6D,eACR9B,EAAQC,EAAWpyC,IAC5ByxC,EAAWjF,EAAQ,oCACnBA,EAAO4H,WAAap0C,EACpBwsC,EAAO6H,YAAc,GACrB7H,EAAOxgD,MAAQokD,EAAEkE,aAEjB7C,EAAWjF,EAAQ,0BAErB,SAEF,KAAK4D,EAAEuE,sBACL,IAAKG,EAAY90C,GAAI,CACT,MAANA,EACFwsC,EAAOxgD,MAAQokD,EAAE2E,sBAEjBvI,EAAO6H,aAAer0C,EAExB,QACF,CACAw0C,EAAOhI,GACG,MAANxsC,EACFg0C,EAAQxH,GAERA,EAAOxgD,MAAQokD,EAAE8D,OAEnB,SAEF,KAAK9D,EAAE4B,UACL,GAAKxF,EAAO8F,QAaK,MAANtyC,EACTm0C,EAAS3H,GACA2F,EAAQ2B,EAAU9zC,GAC3BwsC,EAAO8F,SAAWtyC,EACTwsC,EAAOuF,QAChBvF,EAAOuF,QAAU,KAAOvF,EAAO8F,QAC/B9F,EAAO8F,QAAU,GACjB9F,EAAOxgD,MAAQokD,EAAEyB,SAEZL,EAAaxxC,IAChByxC,EAAWjF,EAAQ,kCAErBA,EAAOxgD,MAAQokD,EAAE4E,yBAzBE,CACnB,GAAIxD,EAAaxxC,GACf,SACSi1C,EAAS7C,EAAWpyC,GACzBwsC,EAAOuF,QACTvF,EAAOuF,QAAU,KAAO/xC,EACxBwsC,EAAOxgD,MAAQokD,EAAEyB,QAEjBJ,EAAWjF,EAAQ,mCAGrBA,EAAO8F,QAAUtyC,CAErB,CAcA,SAEF,KAAKowC,EAAE4E,oBACL,GAAIxD,EAAaxxC,GACf,SAEQ,MAANA,EACFm0C,EAAS3H,GAETiF,EAAWjF,EAAQ,qCAErB,SAEF,KAAK4D,EAAEsB,YACP,KAAKtB,EAAEwE,sBACP,KAAKxE,EAAE2E,sBACL,IAAIG,EACAC,EACJ,OAAQ3I,EAAOxgD,OACb,KAAKokD,EAAEsB,YACLwD,EAAc9E,EAAEgB,KAChB+D,EAAS,WACT,MAEF,KAAK/E,EAAEwE,sBACLM,EAAc9E,EAAEsE,oBAChBS,EAAS,cACT,MAEF,KAAK/E,EAAE2E,sBACLG,EAAc9E,EAAEuE,sBAChBQ,EAAS,cAIb,GAAU,MAANn1C,EACF,GAAIwsC,EAAO0C,IAAIkG,iBAAkB,CAC/B,IAAIC,EAAeC,EAAY9I,GAC/BA,EAAO+I,OAAS,GAChB/I,EAAOxgD,MAAQkpD,EACf1I,EAAOyE,MAAMoE,EACf,MACE7I,EAAO2I,IAAWG,EAAY9I,GAC9BA,EAAO+I,OAAS,GAChB/I,EAAOxgD,MAAQkpD,OAER/C,EAAQ3F,EAAO+I,OAAOz0D,OAAS00D,EAAaC,EAAaz1C,GAClEwsC,EAAO+I,QAAUv1C,GAEjByxC,EAAWjF,EAAQ,oCACnBA,EAAO2I,IAAW,IAAM3I,EAAO+I,OAASv1C,EACxCwsC,EAAO+I,OAAS,GAChB/I,EAAOxgD,MAAQkpD,GAGjB,SAEF,QACE,MAAM,IAAIhqD,MAAMshD,EAAQ,kBAAoBA,EAAOxgD,OAQzD,OAHIwgD,EAAO97B,UAAY87B,EAAOmD,qBAt4ChC,SAA4BnD,GAG1B,IAFA,IAAIkJ,EAAa//B,KAAKD,IAAIu5B,EAAIK,kBAAmB,IAC7CqG,EAAY,EACP/0D,EAAI,EAAGC,EAAI2uD,EAAQ1uD,OAAQF,EAAIC,EAAGD,IAAK,CAC9C,IAAIa,EAAM+qD,EAAOgD,EAAQ5uD,IAAIE,OAC7B,GAAIW,EAAMi0D,EAKR,OAAQlG,EAAQ5uD,IACd,IAAK,WACHg1D,EAAUpJ,GACV,MAEF,IAAK,QACHoG,EAASpG,EAAQ,UAAWA,EAAOqG,OACnCrG,EAAOqG,MAAQ,GACf,MAEF,IAAK,SACHD,EAASpG,EAAQ,WAAYA,EAAOuF,QACpCvF,EAAOuF,OAAS,GAChB,MAEF,QACE1pD,EAAMmkD,EAAQ,+BAAiCgD,EAAQ5uD,IAG7D+0D,EAAYhgC,KAAKD,IAAIigC,EAAWl0D,EAClC,CAEA,IAAI6lB,EAAI2nC,EAAIK,kBAAoBqG,EAChCnJ,EAAOmD,oBAAsBroC,EAAIklC,EAAO97B,QAC1C,CAq2CImlC,CAAkBrJ,GAEbA,CACT,EAj1CEsJ,OAAQ,WAAiC,OAAnB12D,KAAKiJ,MAAQ,KAAajJ,IAAK,EACrD4jC,MAAO,WAAc,OAAO5jC,KAAK6xD,MAAM,KAAM,EAC7Cx8C,MAAO,WAjBT,IAAuB+3C,EACrBoJ,EADqBpJ,EAiBaptD,MAfb,KAAjBotD,EAAOqG,QACTD,EAASpG,EAAQ,UAAWA,EAAOqG,OACnCrG,EAAOqG,MAAQ,IAEK,KAAlBrG,EAAOuF,SACTa,EAASpG,EAAQ,WAAYA,EAAOuF,QACpCvF,EAAOuF,OAAS,GASsB,GAI1C,IACExC,EAAS,eACX,CAAE,MAAOwG,GACPxG,EAAS,WAAa,CACxB,CACKA,IAAQA,EAAS,WAAa,GAEnC,IAAIyG,EAAc/G,EAAI8B,OAAO3/C,QAAO,SAAU6kD,GAC5C,MAAc,UAAPA,GAAyB,QAAPA,CAC3B,IAMA,SAAS7G,EAAW3yC,EAAQyyC,GAC1B,KAAM9vD,gBAAgBgwD,GACpB,OAAO,IAAIA,EAAU3yC,EAAQyyC,GAG/BK,EAAO1tD,MAAMzC,MAEbA,KAAK82D,QAAU,IAAI/G,EAAU1yC,EAAQyyC,GACrC9vD,KAAKga,UAAW,EAChBha,KAAK+2D,UAAW,EAEhB,IAAIC,EAAKh3D,KAETA,KAAK82D,QAAQG,MAAQ,WACnBD,EAAGl1D,KAAK,MACV,EAEA9B,KAAK82D,QAAQ/tD,QAAU,SAAUmuD,GAC/BF,EAAGl1D,KAAK,QAASo1D,GAIjBF,EAAGF,QAAQ7tD,MAAQ,IACrB,EAEAjJ,KAAKm3D,SAAW,KAEhBP,EAAYzlD,SAAQ,SAAU0lD,GAC5Bt3D,OAAOua,eAAek9C,EAAI,KAAOH,EAAI,CACnC9wD,IAAK,WACH,OAAOixD,EAAGF,QAAQ,KAAOD,EAC3B,EACA9jD,IAAK,SAAUkR,GACb,IAAKA,EAGH,OAFA+yC,EAAGp0D,mBAAmBi0D,GACtBG,EAAGF,QAAQ,KAAOD,GAAM5yC,EACjBA,EAET+yC,EAAGr0D,GAAGk0D,EAAI5yC,EACZ,EACA/J,YAAY,EACZD,cAAc,GAElB,GACF,CAEA+1C,EAAUxwD,UAAYD,OAAOqB,OAAOuvD,EAAO3wD,UAAW,CACpDqE,YAAa,CACXwB,MAAO2qD,KAIXA,EAAUxwD,UAAUqyD,MAAQ,SAAU/sD,GACpC,GAAsB,mBAAXsyD,GACkB,mBAApBA,EAAOC,UACdD,EAAOC,SAASvyD,GAAO,CACvB,IAAK9E,KAAKm3D,SAAU,CAClB,IAAIG,EAAK,WACTt3D,KAAKm3D,SAAW,IAAIG,EAAG,OACzB,CACAxyD,EAAO9E,KAAKm3D,SAAStF,MAAM/sD,EAC7B,CAIA,OAFA9E,KAAK82D,QAAQjF,MAAM/sD,EAAK4C,YACxB1H,KAAK8B,KAAK,OAAQgD,IACX,CACT,EAEAkrD,EAAUxwD,UAAU0pB,IAAM,SAAUqe,GAKlC,OAJIA,GAASA,EAAM7lC,QACjB1B,KAAK6xD,MAAMtqB,GAEbvnC,KAAK82D,QAAQ5tC,OACN,CACT,EAEA8mC,EAAUxwD,UAAUmD,GAAK,SAAUk0D,EAAI/qC,GACrC,IAAIkrC,EAAKh3D,KAST,OARKg3D,EAAGF,QAAQ,KAAOD,KAAoC,IAA7BD,EAAY1gD,QAAQ2gD,KAChDG,EAAGF,QAAQ,KAAOD,GAAM,WACtB,IAAIz0D,EAA4B,IAArBE,UAAUZ,OAAe,CAACY,UAAU,IAAMV,MAAMa,MAAM,KAAMH,WACvEF,EAAK+T,OAAO,EAAG,EAAG0gD,GAClBG,EAAGl1D,KAAKW,MAAMu0D,EAAI50D,EACpB,GAGK+tD,EAAO3wD,UAAUmD,GAAGzB,KAAK81D,EAAIH,EAAI/qC,EAC1C,EAIA,IAAIynC,EAAQ,UACRK,EAAU,UACV2D,EAAgB,uCAChBC,EAAkB,gCAClBhG,EAAS,CAAEiG,IAAKF,EAAejG,MAAOkG,GAQtCxE,EAAY,4JAEZ0B,EAAW,gMAEX2B,EAAc,6JACdD,EAAa,iMAEjB,SAAShE,EAAcxxC,GACrB,MAAa,MAANA,GAAmB,OAANA,GAAoB,OAANA,GAAoB,OAANA,CAClD,CAEA,SAASkzC,EAASlzC,GAChB,MAAa,MAANA,GAAmB,MAANA,CACtB,CAEA,SAAS80C,EAAa90C,GACpB,MAAa,MAANA,GAAawxC,EAAaxxC,EACnC,CAEA,SAASmyC,EAASvkC,EAAO5N,GACvB,OAAO4N,EAAMzkB,KAAK6W,EACpB,CAEA,SAASi1C,EAAUrnC,EAAO5N,GACxB,OAAQmyC,EAAQvkC,EAAO5N,EACzB,CAEA,IAgsCQ82C,EACAjS,EACAkS,EAlsCJ3G,EAAI,EAsTR,IAAK,IAAI4G,KArTT/H,EAAIgI,MAAQ,CACV5G,MAAOD,IACPc,iBAAkBd,IAClBgB,KAAMhB,IACNsB,YAAatB,IACbuB,UAAWvB,IACX6B,UAAW7B,IACX+C,iBAAkB/C,IAClB4C,QAAS5C,IACTiD,eAAgBjD,IAChBgD,YAAahD,IACbkD,mBAAoBlD,IACpB8G,iBAAkB9G,IAClB0C,QAAS1C,IACTmD,eAAgBnD,IAChBoD,cAAepD,IACfuC,MAAOvC,IACPsD,aAActD,IACduD,eAAgBvD,IAChBmC,UAAWnC,IACXyD,eAAgBzD,IAChBwD,iBAAkBxD,IAClBiC,SAAUjC,IACV6D,eAAgB7D,IAChB8D,OAAQ9D,IACRkE,YAAalE,IACbqE,sBAAuBrE,IACvBmE,aAAcnE,IACdsE,oBAAqBtE,IACrByE,oBAAqBzE,IACrBuE,sBAAuBvE,IACvBwE,sBAAuBxE,IACvB2E,sBAAuB3E,IACvB4B,UAAW5B,IACX4E,oBAAqB5E,IACrByB,OAAQzB,IACR0B,cAAe1B,KAGjBnB,EAAIuB,aAAe,CACjB,IAAO,IACP,GAAM,IACN,GAAM,IACN,KAAQ,IACR,KAAQ,KAGVvB,EAAIsB,SAAW,CACb,IAAO,IACP,GAAM,IACN,GAAM,IACN,KAAQ,IACR,KAAQ,IACR,MAAS,IACT,OAAU,IACV,MAAS,IACT,OAAU,IACV,MAAS,IACT,OAAU,IACV,KAAQ,IACR,OAAU,IACV,IAAO,IACP,OAAU,IACV,MAAS,IACT,OAAU,IACV,KAAQ,IACR,OAAU,IACV,MAAS,IACT,OAAU,IACV,KAAQ,IACR,OAAU,IACV,OAAU,IACV,MAAS,IACT,OAAU,IACV,OAAU,IACV,OAAU,IACV,KAAQ,IACR,MAAS,IACT,OAAU,IACV,MAAS,IACT,OAAU,IACV,KAAQ,IACR,OAAU,IACV,OAAU,IACV,MAAS,IACT,MAAS,IACT,OAAU,IACV,MAAS,IACT,OAAU,IACV,KAAQ,IACR,OAAU,IACV,OAAU,IACV,MAAS,IACT,OAAU,IACV,IAAO,IACP,KAAQ,IACR,OAAU,IACV,MAAS,IACT,OAAU,IACV,KAAQ,IACR,OAAU,IACV,OAAU,IACV,MAAS,IACT,OAAU,IACV,OAAU,IACV,OAAU,IACV,KAAQ,IACR,MAAS,IACT,MAAS,IACT,OAAU,IACV,MAAS,IACT,OAAU,IACV,KAAQ,IACR,OAAU,IACV,KAAQ,IACR,KAAQ,IACR,IAAO,IACP,KAAQ,IACR,MAAS,IACT,KAAQ,IACR,MAAS,IACT,OAAU,IACV,IAAO,IACP,OAAU,IACV,KAAQ,IACR,IAAO,IACP,KAAQ,IACR,MAAS,IACT,IAAO,IACP,IAAO,IACP,KAAQ,IACR,IAAO,IACP,OAAU,IACV,KAAQ,IACR,KAAQ,IACR,KAAQ,IACR,MAAS,IACT,MAAS,IACT,KAAQ,IACR,OAAU,IACV,MAAS,IACT,KAAQ,IACR,MAAS,IACT,OAAU,IACV,OAAU,IACV,OAAU,IACV,OAAU,IACV,MAAS,IACT,OAAU,IACV,MAAS,IACT,MAAS,IACT,OAAU,IACV,OAAU,IACV,KAAQ,IACR,KAAQ,IACR,KAAQ,IACR,MAAS,IACT,MAAS,IACT,KAAQ,IACR,MAAS,IACT,MAAS,IACT,QAAW,IACX,KAAQ,IACR,IAAO,IACP,MAAS,IACT,KAAQ,IACR,MAAS,IACT,OAAU,IACV,GAAM,IACN,GAAM,IACN,GAAM,IACN,QAAW,IACX,GAAM,IACN,IAAO,IACP,MAAS,IACT,IAAO,IACP,QAAW,IACX,IAAO,IACP,IAAO,IACP,IAAO,IACP,MAAS,IACT,MAAS,IACT,KAAQ,IACR,MAAS,IACT,MAAS,IACT,QAAW,IACX,KAAQ,IACR,IAAO,IACP,MAAS,IACT,KAAQ,IACR,MAAS,IACT,OAAU,IACV,GAAM,IACN,GAAM,IACN,GAAM,IACN,QAAW,IACX,GAAM,IACN,IAAO,IACP,OAAU,IACV,MAAS,IACT,IAAO,IACP,QAAW,IACX,IAAO,IACP,IAAO,IACP,IAAO,IACP,MAAS,IACT,SAAY,IACZ,MAAS,IACT,IAAO,IACP,KAAQ,KACR,KAAQ,KACR,OAAU,KACV,KAAQ,KACR,IAAO,KACP,IAAO,KACP,IAAO,KACP,MAAS,KACT,MAAS,KACT,MAAS,KACT,MAAS,KACT,MAAS,KACT,MAAS,KACT,MAAS,KACT,MAAS,KACT,OAAU,KACV,OAAU,KACV,KAAQ,KACR,OAAU,KACV,OAAU,KACV,MAAS,KACT,MAAS,KACT,OAAU,KACV,OAAU,KACV,MAAS,KACT,MAAS,KACT,KAAQ,KACR,MAAS,KACT,OAAU,KACV,KAAQ,KACR,MAAS,KACT,QAAW,KACX,KAAQ,KACR,KAAQ,KACR,KAAQ,KACR,KAAQ,KACR,KAAQ,KACR,MAAS,KACT,KAAQ,KACR,KAAQ,KACR,KAAQ,KACR,KAAQ,KACR,KAAQ,KACR,OAAU,KACV,KAAQ,KACR,MAAS,KACT,MAAS,KACT,MAAS,KACT,KAAQ,KACR,MAAS,KACT,GAAM,KACN,KAAQ,KACR,IAAO,KACP,MAAS,KACT,OAAU,KACV,MAAS,KACT,KAAQ,KACR,MAAS,KACT,IAAO,KACP,IAAO,KACP,GAAM,KACN,IAAO,KACP,IAAO,KACP,IAAO,KACP,OAAU,KACV,IAAO,KACP,KAAQ,KACR,MAAS,KACT,GAAM,KACN,MAAS,KACT,GAAM,KACN,GAAM,KACN,IAAO,KACP,IAAO,KACP,KAAQ,KACR,KAAQ,KACR,KAAQ,KACR,MAAS,KACT,OAAU,KACV,KAAQ,KACR,KAAQ,KACR,MAAS,KACT,MAAS,KACT,OAAU,KACV,OAAU,KACV,KAAQ,KACR,KAAQ,KACR,IAAO,KACP,OAAU,KACV,MAAS,KACT,OAAU,KACV,MAAS,MAGX5xD,OAAO6G,KAAKypD,EAAIsB,UAAUhgD,SAAQ,SAAUtE,GAC1C,IAAI5H,EAAI4qD,EAAIsB,SAAStkD,GACjB+qD,EAAiB,iBAAN3yD,EAAiB+F,OAAOC,aAAahG,GAAKA,EACzD4qD,EAAIsB,SAAStkD,GAAO+qD,CACtB,IAEc/H,EAAIgI,MAChBhI,EAAIgI,MAAMhI,EAAIgI,MAAMD,IAAMA,EAM5B,SAAS91D,EAAMsrD,EAAQjtD,EAAO2E,GAC5BsoD,EAAOjtD,IAAUitD,EAAOjtD,GAAO2E,EACjC,CAEA,SAAS0uD,EAAUpG,EAAQ2K,EAAUjzD,GAC/BsoD,EAAO8E,UAAUsE,EAAUpJ,GAC/BtrD,EAAKsrD,EAAQ2K,EAAUjzD,EACzB,CAEA,SAAS0xD,EAAWpJ,GAClBA,EAAO8E,SAAWmC,EAASjH,EAAO0C,IAAK1C,EAAO8E,UAC1C9E,EAAO8E,UAAUpwD,EAAKsrD,EAAQ,SAAUA,EAAO8E,UACnD9E,EAAO8E,SAAW,EACpB,CAEA,SAASmC,EAAUvE,EAAKz/C,GAGtB,OAFIy/C,EAAI1xC,OAAM/N,EAAOA,EAAK+N,QACtB0xC,EAAIkI,YAAW3nD,EAAOA,EAAKtE,QAAQ,OAAQ,MACxCsE,CACT,CAEA,SAASpH,EAAOmkD,EAAQ8J,GAUtB,OATAV,EAAUpJ,GACNA,EAAOqE,gBACTyF,GAAM,WAAa9J,EAAOsE,KACxB,aAAetE,EAAOzL,OACtB,WAAayL,EAAOxsC,GAExBs2C,EAAK,IAAIprD,MAAMorD,GACf9J,EAAOnkD,MAAQiuD,EACfp1D,EAAKsrD,EAAQ,UAAW8J,GACjB9J,CACT,CAEA,SAASlkC,EAAKkkC,GAYZ,OAXIA,EAAO0D,UAAY1D,EAAOyD,YAAYwB,EAAWjF,EAAQ,qBACxDA,EAAOxgD,QAAUokD,EAAEC,OACrB7D,EAAOxgD,QAAUokD,EAAEc,kBACnB1E,EAAOxgD,QAAUokD,EAAEgB,MACpB/oD,EAAMmkD,EAAQ,kBAEhBoJ,EAAUpJ,GACVA,EAAOxsC,EAAI,GACXwsC,EAAOwD,QAAS,EAChB9uD,EAAKsrD,EAAQ,SACb2C,EAAU7uD,KAAKksD,EAAQA,EAAO/vC,OAAQ+vC,EAAO0C,KACtC1C,CACT,CAEA,SAASiF,EAAYjF,EAAQlhD,GAC3B,GAAsB,iBAAXkhD,KAAyBA,aAAkB2C,GACpD,MAAM,IAAIjkD,MAAM,0BAEdshD,EAAO/vC,QACTpU,EAAMmkD,EAAQlhD,EAElB,CAEA,SAASyoD,EAAQvH,GACVA,EAAO/vC,SAAQ+vC,EAAO8F,QAAU9F,EAAO8F,QAAQ9F,EAAOsD,cAC3D,IAAIluC,EAAS4qC,EAAOuD,KAAKvD,EAAOuD,KAAKjvD,OAAS,IAAM0rD,EAChDziC,EAAMyiC,EAAOziC,IAAM,CAAE3pB,KAAMosD,EAAO8F,QAASpkB,WAAY,CAAC,GAGxDse,EAAO0C,IAAIwB,QACb3mC,EAAI4mC,GAAK/uC,EAAO+uC,IAElBnE,EAAOiE,WAAW3vD,OAAS,EAC3B8xD,EAASpG,EAAQ,iBAAkBziC,EACrC,CAEA,SAASstC,EAAOj3D,EAAMuxC,GACpB,IACI2lB,EADIl3D,EAAKkV,QAAQ,KACF,EAAI,CAAE,GAAIlV,GAASA,EAAK0a,MAAM,KAC7Chc,EAASw4D,EAAS,GAClBC,EAAQD,EAAS,GAQrB,OALI3lB,GAAsB,UAATvxC,IACftB,EAAS,QACTy4D,EAAQ,IAGH,CAAEz4D,OAAQA,EAAQy4D,MAAOA,EAClC,CAEA,SAAS/C,EAAQhI,GAKf,GAJKA,EAAO/vC,SACV+vC,EAAO4H,WAAa5H,EAAO4H,WAAW5H,EAAOsD,eAGO,IAAlDtD,EAAOiE,WAAWn7C,QAAQk3C,EAAO4H,aACnC5H,EAAOziC,IAAImkB,WAAWrvC,eAAe2tD,EAAO4H,YAC5C5H,EAAO4H,WAAa5H,EAAO6H,YAAc,OAF3C,CAMA,GAAI7H,EAAO0C,IAAIwB,MAAO,CACpB,IAAI8G,EAAKH,EAAM7K,EAAO4H,YAAY,GAC9Bt1D,EAAS04D,EAAG14D,OACZy4D,EAAQC,EAAGD,MAEf,GAAe,UAAXz4D,EAEF,GAAc,QAAVy4D,GAAmB/K,EAAO6H,cAAgBsC,EAC5ClF,EAAWjF,EACT,gCAAkCmK,EAAlC,aACanK,EAAO6H,kBACjB,GAAc,UAAVkD,GAAqB/K,EAAO6H,cAAgBuC,EACrDnF,EAAWjF,EACT,kCAAoCoK,EAApC,aACapK,EAAO6H,iBACjB,CACL,IAAItqC,EAAMyiC,EAAOziC,IACbnI,EAAS4qC,EAAOuD,KAAKvD,EAAOuD,KAAKjvD,OAAS,IAAM0rD,EAChDziC,EAAI4mC,KAAO/uC,EAAO+uC,KACpB5mC,EAAI4mC,GAAKhyD,OAAOqB,OAAO4hB,EAAO+uC,KAEhC5mC,EAAI4mC,GAAG4G,GAAS/K,EAAO6H,WACzB,CAMF7H,EAAOiE,WAAW7wD,KAAK,CAAC4sD,EAAO4H,WAAY5H,EAAO6H,aACpD,MAEE7H,EAAOziC,IAAImkB,WAAWse,EAAO4H,YAAc5H,EAAO6H,YAClDzB,EAASpG,EAAQ,cAAe,CAC9BpsD,KAAMosD,EAAO4H,WACb3vD,MAAO+nD,EAAO6H,cAIlB7H,EAAO4H,WAAa5H,EAAO6H,YAAc,EAxCzC,CAyCF,CAEA,SAASL,EAASxH,EAAQiL,GACxB,GAAIjL,EAAO0C,IAAIwB,MAAO,CAEpB,IAAI3mC,EAAMyiC,EAAOziC,IAGbytC,EAAKH,EAAM7K,EAAO8F,SACtBvoC,EAAIjrB,OAAS04D,EAAG14D,OAChBirB,EAAIwtC,MAAQC,EAAGD,MACfxtC,EAAI2tC,IAAM3tC,EAAI4mC,GAAG6G,EAAG14D,SAAW,GAE3BirB,EAAIjrB,SAAWirB,EAAI2tC,MACrBjG,EAAWjF,EAAQ,6BACjBroD,KAAKQ,UAAU6nD,EAAO8F,UACxBvoC,EAAI2tC,IAAMF,EAAG14D,QAGf,IAAI8iB,EAAS4qC,EAAOuD,KAAKvD,EAAOuD,KAAKjvD,OAAS,IAAM0rD,EAChDziC,EAAI4mC,IAAM/uC,EAAO+uC,KAAO5mC,EAAI4mC,IAC9BhyD,OAAO6G,KAAKukB,EAAI4mC,IAAIpgD,SAAQ,SAAUgJ,GACpCq5C,EAASpG,EAAQ,kBAAmB,CAClC1tD,OAAQya,EACRm+C,IAAK3tC,EAAI4mC,GAAGp3C,IAEhB,IAMF,IAAK,IAAI3Y,EAAI,EAAGC,EAAI2rD,EAAOiE,WAAW3vD,OAAQF,EAAIC,EAAGD,IAAK,CACxD,IAAI+2D,EAAKnL,EAAOiE,WAAW7vD,GACvBR,EAAOu3D,EAAG,GACVlzD,EAAQkzD,EAAG,GACXL,EAAWD,EAAMj3D,GAAM,GACvBtB,EAASw4D,EAASx4D,OAClBy4D,EAAQD,EAASC,MACjBG,EAAiB,KAAX54D,EAAgB,GAAMirB,EAAI4mC,GAAG7xD,IAAW,GAC9CwK,EAAI,CACNlJ,KAAMA,EACNqE,MAAOA,EACP3F,OAAQA,EACRy4D,MAAOA,EACPG,IAAKA,GAKH54D,GAAqB,UAAXA,IAAuB44D,IACnCjG,EAAWjF,EAAQ,6BACjBroD,KAAKQ,UAAU7F,IACjBwK,EAAEouD,IAAM54D,GAEV0tD,EAAOziC,IAAImkB,WAAW9tC,GAAQkJ,EAC9BspD,EAASpG,EAAQ,cAAeljD,EAClC,CACAkjD,EAAOiE,WAAW3vD,OAAS,CAC7B,CAEA0rD,EAAOziC,IAAI6tC,gBAAkBH,EAG7BjL,EAAO0D,SAAU,EACjB1D,EAAOuD,KAAKnwD,KAAK4sD,EAAOziC,KACxB6oC,EAASpG,EAAQ,YAAaA,EAAOziC,KAChC0tC,IAEEjL,EAAO2D,UAA6C,WAAjC3D,EAAO8F,QAAQzmD,cAGrC2gD,EAAOxgD,MAAQokD,EAAEgB,KAFjB5E,EAAOxgD,MAAQokD,EAAEyB,OAInBrF,EAAOziC,IAAM,KACbyiC,EAAO8F,QAAU,IAEnB9F,EAAO4H,WAAa5H,EAAO6H,YAAc,GACzC7H,EAAOiE,WAAW3vD,OAAS,CAC7B,CAEA,SAASqzD,EAAU3H,GACjB,IAAKA,EAAO8F,QAIV,OAHAb,EAAWjF,EAAQ,0BACnBA,EAAO8E,UAAY,WACnB9E,EAAOxgD,MAAQokD,EAAEgB,MAInB,GAAI5E,EAAOuF,OAAQ,CACjB,GAAuB,WAAnBvF,EAAO8F,QAIT,OAHA9F,EAAOuF,QAAU,KAAOvF,EAAO8F,QAAU,IACzC9F,EAAO8F,QAAU,QACjB9F,EAAOxgD,MAAQokD,EAAEyB,QAGnBe,EAASpG,EAAQ,WAAYA,EAAOuF,QACpCvF,EAAOuF,OAAS,EAClB,CAIA,IAAIryB,EAAI8sB,EAAOuD,KAAKjvD,OAChBwxD,EAAU9F,EAAO8F,QAChB9F,EAAO/vC,SACV61C,EAAUA,EAAQ9F,EAAOsD,cAG3B,IADA,IAAI+H,EAAUvF,EACP5yB,KACO8sB,EAAOuD,KAAKrwB,GACdt/B,OAASy3D,GAEjBpG,EAAWjF,EAAQ,wBAOvB,GAAI9sB,EAAI,EAIN,OAHA+xB,EAAWjF,EAAQ,0BAA4BA,EAAO8F,SACtD9F,EAAO8E,UAAY,KAAO9E,EAAO8F,QAAU,SAC3C9F,EAAOxgD,MAAQokD,EAAEgB,MAGnB5E,EAAO8F,QAAUA,EAEjB,IADA,IAAI0E,EAAIxK,EAAOuD,KAAKjvD,OACbk2D,KAAMt3B,GAAG,CACd,IAAI3V,EAAMyiC,EAAOziC,IAAMyiC,EAAOuD,KAAKrqC,MACnC8mC,EAAO8F,QAAU9F,EAAOziC,IAAI3pB,KAC5BwyD,EAASpG,EAAQ,aAAcA,EAAO8F,SAEtC,IAAIn2C,EAAI,CAAC,EACT,IAAK,IAAIvb,KAAKmpB,EAAI4mC,GAChBx0C,EAAEvb,GAAKmpB,EAAI4mC,GAAG/vD,GAGhB,IAAIghB,EAAS4qC,EAAOuD,KAAKvD,EAAOuD,KAAKjvD,OAAS,IAAM0rD,EAChDA,EAAO0C,IAAIwB,OAAS3mC,EAAI4mC,KAAO/uC,EAAO+uC,IAExChyD,OAAO6G,KAAKukB,EAAI4mC,IAAIpgD,SAAQ,SAAUgJ,GACpC,IAAIqe,EAAI7N,EAAI4mC,GAAGp3C,GACfq5C,EAASpG,EAAQ,mBAAoB,CAAE1tD,OAAQya,EAAGm+C,IAAK9/B,GACzD,GAEJ,CACU,IAAN8H,IAAS8sB,EAAOyD,YAAa,GACjCzD,EAAO8F,QAAU9F,EAAO6H,YAAc7H,EAAO4H,WAAa,GAC1D5H,EAAOiE,WAAW3vD,OAAS,EAC3B0rD,EAAOxgD,MAAQokD,EAAEgB,IACnB,CAEA,SAASkE,EAAa9I,GACpB,IAEIsL,EAFAvC,EAAS/I,EAAO+I,OAChBwC,EAAWxC,EAAO1pD,cAElBmsD,EAAS,GAEb,OAAIxL,EAAO+D,SAASgF,GACX/I,EAAO+D,SAASgF,GAErB/I,EAAO+D,SAASwH,GACXvL,EAAO+D,SAASwH,IAGA,OADzBxC,EAASwC,GACEvyC,OAAO,KACS,MAArB+vC,EAAO/vC,OAAO,IAChB+vC,EAASA,EAAOh1D,MAAM,GAEtBy3D,GADAF,EAAMxoB,SAASimB,EAAQ,KACVzuD,SAAS,MAEtByuD,EAASA,EAAOh1D,MAAM,GAEtBy3D,GADAF,EAAMxoB,SAASimB,EAAQ,KACVzuD,SAAS,MAG1ByuD,EAASA,EAAOpqD,QAAQ,MAAO,IAC3BoS,MAAMu6C,IAAQE,EAAOnsD,gBAAkB0pD,GACzC9D,EAAWjF,EAAQ,4BACZ,IAAMA,EAAO+I,OAAS,KAGxBnrD,OAAO2sD,cAAce,GAC9B,CAEA,SAAS3G,EAAiB3E,EAAQxsC,GACtB,MAANA,GACFwsC,EAAOxgD,MAAQokD,EAAEuB,UACjBnF,EAAOoF,iBAAmBpF,EAAO97B,UACvB8gC,EAAaxxC,KAGvByxC,EAAWjF,EAAQ,oCACnBA,EAAO8E,SAAWtxC,EAClBwsC,EAAOxgD,MAAQokD,EAAEgB,KAErB,CAEA,SAAS5rC,EAAQmhB,EAAO/lC,GACtB,IAAIqK,EAAS,GAIb,OAHIrK,EAAI+lC,EAAM7lC,SACZmK,EAAS07B,EAAMnhB,OAAO5kB,IAEjBqK,CACT,CAtVAmlD,EAAInB,EAAIgI,MAm4BH7sD,OAAO2sD,gBAEJD,EAAqB1sD,OAAOC,aAC5Bw6C,EAAQlvB,KAAKkvB,MACbkS,EAAgB,WAClB,IAEIkB,EACAC,EAFAC,EAAY,GAGZr5C,GAAS,EACThe,EAASY,UAAUZ,OACvB,IAAKA,EACH,MAAO,GAGT,IADA,IAAImK,EAAS,KACJ6T,EAAQhe,GAAQ,CACvB,IAAIs3D,EAAYl7C,OAAOxb,UAAUod,IACjC,IACGu5C,SAASD,IACVA,EAAY,GACZA,EAAY,SACZvT,EAAMuT,KAAeA,EAErB,MAAME,WAAW,uBAAyBF,GAExCA,GAAa,MACfD,EAAUv4D,KAAKw4D,IAIfH,EAAoC,QADpCG,GAAa,QACiB,IAC9BF,EAAgBE,EAAY,KAAS,MACrCD,EAAUv4D,KAAKq4D,EAAeC,KAE5Bp5C,EAAQ,IAAMhe,GAAUq3D,EAAUr3D,OA7BzB,SA8BXmK,GAAU6rD,EAAmBj1D,MAAM,KAAMs2D,GACzCA,EAAUr3D,OAAS,EAEvB,CACA,OAAOmK,CACT,EAEItM,OAAOua,eACTva,OAAOua,eAAe9O,OAAQ,gBAAiB,CAC7C3F,MAAOsyD,EACP19C,cAAc,EACdD,UAAU,IAGZhP,OAAO2sD,cAAgBA,EAI9B,CAriDA,CAqiDmD30D,0CCriDnD,SAAUkF,EAAQ1F,GACf,aAEA,IAAI0F,EAAOixD,aAAX,CAIA,IAIIC,EA6HIC,EAZAC,EArBAC,EACAC,EAjGJC,EAAa,EACbC,EAAgB,CAAC,EACjBC,GAAwB,EACxBC,EAAM1xD,EAAOuB,SAoJbowD,EAAWt6D,OAAOu6D,gBAAkBv6D,OAAOu6D,eAAe5xD,GAC9D2xD,EAAWA,GAAYA,EAASnvD,WAAamvD,EAAW3xD,EAGf,qBAArC,CAAC,EAAER,SAASxG,KAAKgH,EAAO6xD,SApFxBX,EAAoB,SAASY,GACzBD,EAAQxhD,UAAS,WAAc0hD,EAAaD,EAAS,GACzD,EAGJ,WAGI,GAAI9xD,EAAOgyD,cAAgBhyD,EAAOiyD,cAAe,CAC7C,IAAIC,GAA4B,EAC5BC,EAAenyD,EAAOoyD,UAM1B,OALApyD,EAAOoyD,UAAY,WACfF,GAA4B,CAChC,EACAlyD,EAAOgyD,YAAY,GAAI,KACvBhyD,EAAOoyD,UAAYD,EACZD,CACX,CACJ,CAsEWG,IA/DHhB,EAAgB,gBAAkBhjC,KAAK0vB,SAAW,IAClDuT,EAAkB,SAASr5D,GACvBA,EAAM4mB,SAAW7e,GACK,iBAAf/H,EAAM2E,MACyB,IAAtC3E,EAAM2E,KAAKoR,QAAQqjD,IACnBU,GAAc95D,EAAM2E,KAAK3D,MAAMo4D,EAAc73D,QAErD,EAEIwG,EAAO4oB,iBACP5oB,EAAO4oB,iBAAiB,UAAW0oC,GAAiB,GAEpDtxD,EAAOsyD,YAAY,YAAahB,GAGpCJ,EAAoB,SAASY,GACzB9xD,EAAOgyD,YAAYX,EAAgBS,EAAQ,IAC/C,GAkDO9xD,EAAOuyD,iBA9CVnB,EAAU,IAAImB,gBACVC,MAAMJ,UAAY,SAASn6D,GAE/B85D,EADa95D,EAAM2E,KAEvB,EAEAs0D,EAAoB,SAASY,GACzBV,EAAQqB,MAAMT,YAAYF,EAC9B,GA0COJ,GAAO,uBAAwBA,EAAIzvD,cAAc,WAtCpDkvD,EAAOO,EAAInnC,gBACf2mC,EAAoB,SAASY,GAGzB,IAAIrH,EAASiH,EAAIzvD,cAAc,UAC/BwoD,EAAOiI,mBAAqB,WACxBX,EAAaD,GACbrH,EAAOiI,mBAAqB,KAC5BvB,EAAKwB,YAAYlI,GACjBA,EAAS,IACb,EACA0G,EAAKp3B,YAAY0wB,EACrB,GAIAyG,EAAoB,SAASY,GACzBtvD,WAAWuvD,EAAc,EAAGD,EAChC,EA6BJH,EAASV,aA1KT,SAAsBrjD,GAEI,mBAAbA,IACTA,EAAW,IAAIisB,SAAS,GAAKjsB,IAI/B,IADA,IAAI1T,EAAO,IAAIR,MAAMU,UAAUZ,OAAS,GAC/BF,EAAI,EAAGA,EAAIY,EAAKV,OAAQF,IAC7BY,EAAKZ,GAAKc,UAAUd,EAAI,GAG5B,IAAIs5D,EAAO,CAAEhlD,SAAUA,EAAU1T,KAAMA,GAGvC,OAFAs3D,EAAcD,GAAcqB,EAC5B1B,EAAkBK,GACXA,GACT,EA4JAI,EAASkB,eAAiBA,CAnL1B,CAyBA,SAASA,EAAef,UACbN,EAAcM,EACzB,CAwBA,SAASC,EAAaD,GAGlB,GAAIL,EAGAjvD,WAAWuvD,EAAc,EAAGD,OACzB,CACH,IAAIc,EAAOpB,EAAcM,GACzB,GAAIc,EAAM,CACNnB,GAAwB,EACxB,KAjCZ,SAAamB,GACT,IAAIhlD,EAAWglD,EAAKhlD,SAChB1T,EAAO04D,EAAK14D,KAChB,OAAQA,EAAKV,QACb,KAAK,EACDoU,IACA,MACJ,KAAK,EACDA,EAAS1T,EAAK,IACd,MACJ,KAAK,EACD0T,EAAS1T,EAAK,GAAIA,EAAK,IACvB,MACJ,KAAK,EACD0T,EAAS1T,EAAK,GAAIA,EAAK,GAAIA,EAAK,IAChC,MACJ,QACI0T,EAASrT,MAnDrB,UAmDsCL,GAGlC,CAcgB8W,CAAI4hD,EACR,CAAE,QACEC,EAAef,GACfL,GAAwB,CAC5B,CACJ,CACJ,CACJ,CA8GJ,CAzLA,CAyLkB,oBAAT1xD,UAAyC,IAAX,EAAA7E,EAAyBpD,KAAO,EAAAoD,EAAS6E,iBCtKhF,SAASmtB,EAAcrY,EAAWi+C,GAChC,OAAO,MAACj+C,EAAiCi+C,EAAIj+C,CAC/C,CA8EAha,EAAOC,QA5EP,SAAiB8Q,GAEf,IAbyBmnD,EAarB3kC,EAAMlB,GADVthB,EAAUA,GAAW,CAAC,GACAwiB,IAAK,GACvBwL,EAAM1M,EAAIthB,EAAQguB,IAAK,GACvBo5B,EAAY9lC,EAAIthB,EAAQonD,WAAW,GACnCC,EAAqB/lC,EAAIthB,EAAQqnD,oBAAoB,GAErDC,EAA2B,KAC3BC,EAAoC,KACpCC,EAAmC,KAEnCtpD,GAtBqBipD,EAsBM7lC,EAAIthB,EAAQynD,oBAAqB,KArBzD,SAAUC,EAAgBx/C,EAAOy/C,GAEtC,OAAOD,EADOC,GAAMA,EAAKR,IACQj/C,EAAQw/C,EAC3C,GAoBA,SAASviB,IACPyiB,EAAO55B,EACT,CAWA,SAAS45B,EAAOC,EAAwBC,GAKtC,GAJyB,iBAAdA,IACTA,EAAYh2D,KAAKJ,OAGf61D,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,EACA9pD,EAAOopD,EAAMU,EAAaD,GAC9BP,EAAeK,EACfN,EAAgBO,CAhB+C,CAiBjE,CAkBA,MAAO,CACL3iB,MAAOA,EACPhL,MApDF,WACEmtB,EAAO,KACPC,EAAgB,KAChBC,EAAe,KACXJ,GACFjiB,GAEJ,EA8CEyiB,OAAQA,EACRK,SApBF,SAAkBH,GAChB,GAAqB,OAAjBN,EAAyB,OAAOU,IACpC,GAAIV,GAAgBhlC,EAAO,OAAO,EAClC,GAAa,OAAT8kC,EAAiB,OAAOY,IAE5B,IAAIC,GAAiB3lC,EAAMglC,GAAgBF,EAI3C,MAHyB,iBAAdQ,GAAmD,iBAAlBP,IAC1CY,GAA+C,MAA7BL,EAAYP,IAEzB9kC,KAAKD,IAAI,EAAG2lC,EACrB,EAWEb,KATF,WACE,OAAgB,OAATA,EAAgB,EAAIA,CAC7B,EASF,yBCjGA,IAAI5jD,OAA2B,IAAX,EAAApU,GAA0B,EAAAA,GACjB,oBAAT6E,MAAwBA,MAChC9E,OACRV,EAAQs/B,SAASviC,UAAUiD,MAiB/B,SAASy5D,EAAQ73D,EAAI83D,GACnBn8D,KAAKo8D,IAAM/3D,EACXrE,KAAKq8D,SAAWF,CAClB,CAhBAn5D,EAAQ0H,WAAa,WACnB,OAAO,IAAIwxD,EAAQz5D,EAAMvB,KAAKwJ,WAAY8M,EAAOlV,WAAYi8B,aAC/D,EACAv7B,EAAQy9B,YAAc,WACpB,OAAO,IAAIy7B,EAAQz5D,EAAMvB,KAAKu/B,YAAajpB,EAAOlV,WAAYg6D,cAChE,EACAt5D,EAAQu7B,aACRv7B,EAAQs5D,cAAgB,SAASC,GAC3BA,GACFA,EAAQ34B,OAEZ,EAMAs4B,EAAQ18D,UAAUuV,MAAQmnD,EAAQ18D,UAAUyY,IAAM,WAAY,EAC9DikD,EAAQ18D,UAAUokC,MAAQ,WACxB5jC,KAAKq8D,SAASn7D,KAAKsW,EAAOxX,KAAKo8D,IACjC,EAGAp5D,EAAQw5D,OAAS,SAASl4D,EAAMm4D,GAC9Bl+B,aAAaj6B,EAAKo4D,gBAClBp4D,EAAKq4D,aAAeF,CACtB,EAEAz5D,EAAQ45D,SAAW,SAASt4D,GAC1Bi6B,aAAaj6B,EAAKo4D,gBAClBp4D,EAAKq4D,cAAgB,CACvB,EAEA35D,EAAQ65D,aAAe75D,EAAQoqC,OAAS,SAAS9oC,GAC/Ci6B,aAAaj6B,EAAKo4D,gBAElB,IAAID,EAAQn4D,EAAKq4D,aACbF,GAAS,IACXn4D,EAAKo4D,eAAiBhyD,YAAW,WAC3BpG,EAAKw4D,YACPx4D,EAAKw4D,YACT,GAAGL,GAEP,EAGA,EAAQ,OAIRz5D,EAAQm2D,aAAgC,oBAATlxD,MAAwBA,KAAKkxD,mBAClB,IAAX,EAAA/1D,GAA0B,EAAAA,EAAO+1D,cACxCn5D,MAAQA,KAAKm5D,aACrCn2D,EAAQ+3D,eAAkC,oBAAT9yD,MAAwBA,KAAK8yD,qBAClB,IAAX,EAAA33D,GAA0B,EAAAA,EAAO23D,gBACxC/6D,MAAQA,KAAK+6D,qCC7DvC,WACE,aACA/3D,EAAQ+5D,SAAW,SAASj8C,GAC1B,MAAe,WAAXA,EAAI,GACCA,EAAIqxC,UAAU,GAEdrxC,CAEX,CAED,GAAE5f,KAAKlB,8BCVR,WACE,aACA,IAAIg9D,EAASC,EAAUC,EAAaC,EAAeC,EACjDC,EAAU,CAAC,EAAE59D,eAEfu9D,EAAU,EAAQ,MAElBC,EAAW,kBAEXE,EAAgB,SAASzU,GACvB,MAAwB,iBAAVA,IAAuBA,EAAMxyC,QAAQ,MAAQ,GAAKwyC,EAAMxyC,QAAQ,MAAQ,GAAKwyC,EAAMxyC,QAAQ,MAAQ,EACnH,EAEAknD,EAAY,SAAS1U,GACnB,MAAO,YAAewU,EAAYxU,GAAU,KAC9C,EAEAwU,EAAc,SAASxU,GACrB,OAAOA,EAAM38C,QAAQ,MAAO,kBAC9B,EAEA/I,EAAQs6D,QAAU,WAChB,SAASA,EAAQ/0D,GACf,IAAIsE,EAAKoL,EAAK5S,EAGd,IAAKwH,KAFL7M,KAAK8T,QAAU,CAAC,EAChBmE,EAAMglD,EAAS,IAERI,EAAQn8D,KAAK+W,EAAKpL,KACvBxH,EAAQ4S,EAAIpL,GACZ7M,KAAK8T,QAAQjH,GAAOxH,GAEtB,IAAKwH,KAAOtE,EACL80D,EAAQn8D,KAAKqH,EAAMsE,KACxBxH,EAAQkD,EAAKsE,GACb7M,KAAK8T,QAAQjH,GAAOxH,EAExB,CAqFA,OAnFAi4D,EAAQ99D,UAAU+9D,YAAc,SAASC,GACvC,IAAIC,EAASC,EAAS75C,EAAQ85C,EAAaC,EASxBC,EAsEnB,OA9EAJ,EAAUz9D,KAAK8T,QAAQ2pD,QACvBC,EAAU19D,KAAK8T,QAAQ4pD,QACc,IAAhCn+D,OAAO6G,KAAKo3D,GAAS97D,QAAkB1B,KAAK8T,QAAQ8pD,WAAaX,EAAS,IAAOW,SAEpFJ,EAAUA,EADVI,EAAWr+D,OAAO6G,KAAKo3D,GAAS,IAGhCI,EAAW59D,KAAK8T,QAAQ8pD,SAEPC,EAiEhB79D,KAjEH6jB,EACS,SAASgmB,EAASjwB,GACvB,IAAIkkD,EAAMvwC,EAAOm7B,EAAOhpC,EAAO7S,EAAKxH,EACpC,GAAmB,iBAARuU,EACLikD,EAAM/pD,QAAQ2/C,OAAS0J,EAAcvjD,GACvCiwB,EAAQllC,IAAIy4D,EAAUxjD,IAEtBiwB,EAAQk0B,IAAInkD,QAET,GAAIhY,MAAM6L,QAAQmM,IACvB,IAAK8F,KAAS9F,EACZ,GAAKyjD,EAAQn8D,KAAK0Y,EAAK8F,GAEvB,IAAK7S,KADL0gB,EAAQ3T,EAAI8F,GAEVgpC,EAAQn7B,EAAM1gB,GACdg9B,EAAUhmB,EAAOgmB,EAAQm0B,IAAInxD,GAAM67C,GAAOuV,UAI9C,IAAKpxD,KAAO+M,EACV,GAAKyjD,EAAQn8D,KAAK0Y,EAAK/M,GAEvB,GADA0gB,EAAQ3T,EAAI/M,GACRA,IAAQ4wD,GACV,GAAqB,iBAAVlwC,EACT,IAAKuwC,KAAQvwC,EACXloB,EAAQkoB,EAAMuwC,GACdj0B,EAAUA,EAAQq0B,IAAIJ,EAAMz4D,QAG3B,GAAIwH,IAAQ6wD,EAEf7zB,EADEg0B,EAAM/pD,QAAQ2/C,OAAS0J,EAAc5vC,GAC7Bsc,EAAQllC,IAAIy4D,EAAU7vC,IAEtBsc,EAAQk0B,IAAIxwC,QAEnB,GAAI3rB,MAAM6L,QAAQ8f,GACvB,IAAK7N,KAAS6N,EACP8vC,EAAQn8D,KAAKqsB,EAAO7N,KAIrBmqB,EAFiB,iBADrB6e,EAAQn7B,EAAM7N,IAERm+C,EAAM/pD,QAAQ2/C,OAAS0J,EAAczU,GAC7B7e,EAAQm0B,IAAInxD,GAAKlI,IAAIy4D,EAAU1U,IAAQuV,KAEvCp0B,EAAQm0B,IAAInxD,EAAK67C,GAAOuV,KAG1Bp6C,EAAOgmB,EAAQm0B,IAAInxD,GAAM67C,GAAOuV,UAGpB,iBAAV1wC,EAChBsc,EAAUhmB,EAAOgmB,EAAQm0B,IAAInxD,GAAM0gB,GAAO0wC,KAErB,iBAAV1wC,GAAsBswC,EAAM/pD,QAAQ2/C,OAAS0J,EAAc5vC,GACpEsc,EAAUA,EAAQm0B,IAAInxD,GAAKlI,IAAIy4D,EAAU7vC,IAAQ0wC,MAEpC,MAAT1wC,IACFA,EAAQ,IAEVsc,EAAUA,EAAQm0B,IAAInxD,EAAK0gB,EAAM7lB,YAAYu2D,MAKrD,OAAOp0B,CACT,EAEF8zB,EAAcX,EAAQp8D,OAAOg9D,EAAU59D,KAAK8T,QAAQqqD,OAAQn+D,KAAK8T,QAAQ+/C,QAAS,CAChFuK,SAAUp+D,KAAK8T,QAAQsqD,SACvBC,oBAAqBr+D,KAAK8T,QAAQuqD,sBAE7Bx6C,EAAO85C,EAAaH,GAASt0C,IAAIlpB,KAAK8T,QAAQwqD,WACvD,EAEOhB,CAER,CAtGiB,EAwGnB,GAAEp8D,KAAKlB,4BC7HR,WACEgD,EAAQi6D,SAAW,CACjB,GAAO,CACLsB,iBAAiB,EACjBngD,MAAM,EACN45C,WAAW,EACXwG,eAAe,EACff,QAAS,IACTC,QAAS,IACTe,eAAe,EACfC,aAAa,EACbC,YAAY,EACZrR,cAAc,EACdsR,UAAW,KACXtN,OAAO,EACPuN,kBAAkB,EAClBC,SAAU,KACVC,iBAAiB,EACjBC,mBAAmB,EACnB1vD,OAAO,EACP+N,QAAQ,EACR4hD,mBAAoB,KACpBC,oBAAqB,KACrBC,kBAAmB,KACnBC,gBAAiB,KACjBC,SAAU,IAEZ,GAAO,CACLd,iBAAiB,EACjBngD,MAAM,EACN45C,WAAW,EACXwG,eAAe,EACff,QAAS,IACTC,QAAS,IACTe,eAAe,EACfC,aAAa,EACbC,YAAY,EACZrR,cAAc,EACdsR,UAAW,KACXtN,OAAO,EACPuN,kBAAkB,EAClBS,uBAAuB,EACvBR,SAAU,KACVC,iBAAiB,EACjBC,mBAAmB,EACnB1vD,OAAO,EACP+N,QAAQ,EACR4hD,mBAAoB,KACpBC,oBAAqB,KACrBC,kBAAmB,KACnBC,gBAAiB,KACjBxB,SAAU,OACVO,OAAQ,CACN,QAAW,MACX,SAAY,QACZ,YAAc,GAEhBtK,QAAS,KACTyK,WAAY,CACV,QAAU,EACV,OAAU,KACV,QAAW,MAEbF,UAAU,EACVmB,UAAW,IACXF,SAAU,GACV5L,OAAO,GAIZ,GAAEvyD,KAAKlB,8BCtER,WACE,aACA,IAAIkL,EAAK+xD,EAAUnjD,EAAgB/Y,EAAQy+D,EAASC,EAAaC,EAAY7P,EAAKsJ,EAChF/kD,EAAO,SAASvU,EAAIm3D,GAAK,OAAO,WAAY,OAAOn3D,EAAG4C,MAAMu0D,EAAI10D,UAAY,CAAG,EAE/E+6D,EAAU,CAAC,EAAE59D,eAEfowD,EAAM,EAAQ,OAEd9uD,EAAS,EAAQ,OAEjBmK,EAAM,EAAQ,OAEdw0D,EAAa,EAAQ,MAErBvG,EAAe,sBAEf8D,EAAW,kBAEXuC,EAAU,SAASG,GACjB,MAAwB,iBAAVA,GAAgC,MAATA,GAAgD,IAA9BpgE,OAAO6G,KAAKu5D,GAAOj+D,MAC5E,EAEA+9D,EAAc,SAASC,EAAYp7D,EAAMuI,GACvC,IAAIrL,EAAGa,EACP,IAAKb,EAAI,EAAGa,EAAMq9D,EAAWh+D,OAAQF,EAAIa,EAAKb,IAE5C8C,GADAy1D,EAAU2F,EAAWl+D,IACN8C,EAAMuI,GAEvB,OAAOvI,CACT,EAEAwV,EAAiB,SAASF,EAAK/M,EAAKxH,GAClC,IAAIuB,EAMJ,OALAA,EAAarH,OAAOqB,OAAO,OAChByE,MAAQA,EACnBuB,EAAWoT,UAAW,EACtBpT,EAAWsT,YAAa,EACxBtT,EAAWqT,cAAe,EACnB1a,OAAOua,eAAeF,EAAK/M,EAAKjG,EACzC,EAEA5D,EAAQqqD,OAAS,SAAUuS,GAGzB,SAASvS,EAAO9kD,GAMd,IAAIsE,EAAKoL,EAAK5S,EACd,GANArF,KAAKutD,mBAAqBn5C,EAAKpU,KAAKutD,mBAAoBvtD,MACxDA,KAAK6/D,YAAczrD,EAAKpU,KAAK6/D,YAAa7/D,MAC1CA,KAAKiuC,MAAQ75B,EAAKpU,KAAKiuC,MAAOjuC,MAC9BA,KAAK8/D,aAAe1rD,EAAKpU,KAAK8/D,aAAc9/D,MAC5CA,KAAK+/D,aAAe3rD,EAAKpU,KAAK+/D,aAAc//D,QAEtCA,gBAAgBgD,EAAQqqD,QAC5B,OAAO,IAAIrqD,EAAQqqD,OAAO9kD,GAI5B,IAAKsE,KAFL7M,KAAK8T,QAAU,CAAC,EAChBmE,EAAMglD,EAAS,IAERI,EAAQn8D,KAAK+W,EAAKpL,KACvBxH,EAAQ4S,EAAIpL,GACZ7M,KAAK8T,QAAQjH,GAAOxH,GAEtB,IAAKwH,KAAOtE,EACL80D,EAAQn8D,KAAKqH,EAAMsE,KACxBxH,EAAQkD,EAAKsE,GACb7M,KAAK8T,QAAQjH,GAAOxH,GAElBrF,KAAK8T,QAAQw9C,QACftxD,KAAK8T,QAAQksD,SAAWhgE,KAAK8T,QAAQ2pD,QAAU,MAE7Cz9D,KAAK8T,QAAQ0qD,gBACVx+D,KAAK8T,QAAQqrD,oBAChBn/D,KAAK8T,QAAQqrD,kBAAoB,IAEnCn/D,KAAK8T,QAAQqrD,kBAAkBrsD,QAAQ4sD,EAAW1H,YAEpDh4D,KAAKiuC,OACP,CA4RA,OArWS,SAAS1gB,EAAO/K,GAAU,IAAK,IAAI3V,KAAO2V,EAAc66C,EAAQn8D,KAAKshB,EAAQ3V,KAAM0gB,EAAM1gB,GAAO2V,EAAO3V,IAAQ,SAASozD,IAASjgE,KAAK6D,YAAc0pB,CAAO,CAAE0yC,EAAKzgE,UAAYgjB,EAAOhjB,UAAW+tB,EAAM/tB,UAAY,IAAIygE,EAAQ1yC,EAAM2yC,UAAY19C,EAAOhjB,SAAyB,CAuCzRihB,CAAO4sC,EAAQuS,GAoCfvS,EAAO7tD,UAAUugE,aAAe,WAC9B,IAAIx4B,EAAOxmB,EACX,IACE,OAAI/gB,KAAKmgE,UAAUz+D,QAAU1B,KAAK8T,QAAQyrD,WACxCh4B,EAAQvnC,KAAKmgE,UACbngE,KAAKmgE,UAAY,GACjBngE,KAAKogE,UAAYpgE,KAAKogE,UAAUvO,MAAMtqB,GAC/BvnC,KAAKogE,UAAUx8B,UAEtB2D,EAAQvnC,KAAKmgE,UAAUx3C,OAAO,EAAG3oB,KAAK8T,QAAQyrD,WAC9Cv/D,KAAKmgE,UAAYngE,KAAKmgE,UAAUx3C,OAAO3oB,KAAK8T,QAAQyrD,UAAWv/D,KAAKmgE,UAAUz+D,QAC9E1B,KAAKogE,UAAYpgE,KAAKogE,UAAUvO,MAAMtqB,GAC/B4xB,EAAan5D,KAAK+/D,cAE7B,CAAE,MAAOM,GAEP,GADAt/C,EAAMs/C,GACDrgE,KAAKogE,UAAUE,UAElB,OADAtgE,KAAKogE,UAAUE,WAAY,EACpBtgE,KAAK8B,KAAKif,EAErB,CACF,EAEAssC,EAAO7tD,UAAUsgE,aAAe,SAASlmD,EAAK/M,EAAKgB,GACjD,OAAMhB,KAAO+M,GAOLA,EAAI/M,aAAgBjL,OACxBkY,EAAeF,EAAK/M,EAAK,CAAC+M,EAAI/M,KAEzB+M,EAAI/M,GAAKrM,KAAKqN,IAThB7N,KAAK8T,QAAQ2qD,cAGT3kD,EAAeF,EAAK/M,EAAK,CAACgB,IAF1BiM,EAAeF,EAAK/M,EAAKgB,EAUtC,EAEAw/C,EAAO7tD,UAAUyuC,MAAQ,WACvB,IAAIwvB,EAASC,EAAS6C,EAAQl6C,EAQKw3C,EA8KnC,OArLA79D,KAAK4C,qBACL5C,KAAKogE,UAAYvQ,EAAIzC,OAAOptD,KAAK8T,QAAQuJ,OAAQ,CAC/Ce,MAAM,EACN45C,WAAW,EACX1G,MAAOtxD,KAAK8T,QAAQw9C,QAEtBtxD,KAAKogE,UAAUE,WAAY,EAC3BtgE,KAAKogE,UAAUr3D,SAAoB80D,EAQhC79D,KAPM,SAASiJ,GAEd,GADA40D,EAAMuC,UAAU1J,UACXmH,EAAMuC,UAAUE,UAEnB,OADAzC,EAAMuC,UAAUE,WAAY,EACrBzC,EAAM/7D,KAAK,QAASmH,EAE/B,GAEFjJ,KAAKogE,UAAUnJ,MAAQ,SAAU4G,GAC/B,OAAO,WACL,IAAKA,EAAMuC,UAAUI,MAEnB,OADA3C,EAAMuC,UAAUI,OAAQ,EACjB3C,EAAM/7D,KAAK,MAAO+7D,EAAM4C,aAEnC,CACD,CAPsB,CAOpBzgE,MACHA,KAAKogE,UAAUI,OAAQ,EACvBxgE,KAAK0gE,iBAAmB1gE,KAAK8T,QAAQyqD,gBACrCv+D,KAAKygE,aAAe,KACpBp6C,EAAQ,GACRo3C,EAAUz9D,KAAK8T,QAAQ2pD,QACvBC,EAAU19D,KAAK8T,QAAQ4pD,QACvB19D,KAAKogE,UAAUO,UAAY,SAAU9C,GACnC,OAAO,SAASv0D,GACd,IAAIuD,EAAKgB,EAAU+L,EAAKgnD,EAAc3oD,EAGtC,IAFA2B,EAAM,CAAC,GACH8jD,GAAW,IACVG,EAAM/pD,QAAQ4qD,YAEjB,IAAK7xD,KADLoL,EAAM3O,EAAKwlC,WAEJuuB,EAAQn8D,KAAK+W,EAAKpL,KACjB4wD,KAAW7jD,GAASikD,EAAM/pD,QAAQ6qD,aACtC/kD,EAAI6jD,GAAW,CAAC,GAElB5vD,EAAWgwD,EAAM/pD,QAAQorD,oBAAsBO,EAAY5B,EAAM/pD,QAAQorD,oBAAqB51D,EAAKwlC,WAAWjiC,GAAMA,GAAOvD,EAAKwlC,WAAWjiC,GAC3I+zD,EAAe/C,EAAM/pD,QAAQmrD,mBAAqBQ,EAAY5B,EAAM/pD,QAAQmrD,mBAAoBpyD,GAAOA,EACnGgxD,EAAM/pD,QAAQ6qD,WAChBd,EAAMiC,aAAalmD,EAAKgnD,EAAc/yD,GAEtCiM,EAAeF,EAAI6jD,GAAUmD,EAAc/yD,IAWjD,OAPA+L,EAAI,SAAWikD,EAAM/pD,QAAQqrD,kBAAoBM,EAAY5B,EAAM/pD,QAAQqrD,kBAAmB71D,EAAKtI,MAAQsI,EAAKtI,KAC5G68D,EAAM/pD,QAAQw9C,QAChB13C,EAAIikD,EAAM/pD,QAAQksD,UAAY,CAC5B1H,IAAKhvD,EAAKgvD,IACVH,MAAO7uD,EAAK6uD,QAGT9xC,EAAM7lB,KAAKoZ,EACpB,CACD,CA9B0B,CA8BxB5Z,MACHA,KAAKogE,UAAUS,WAAa,SAAUhD,GACpC,OAAO,WACL,IAAIpK,EAAOqN,EAAUj0D,EAAKvD,EAAMy3D,EAAUnnD,EAAKonD,EAAUC,EAAKrJ,EAAGsJ,EAqDjE,GApDAtnD,EAAMyM,EAAMC,MACZy6C,EAAWnnD,EAAI,SACVikD,EAAM/pD,QAAQ+qD,kBAAqBhB,EAAM/pD,QAAQwrD,8BAC7C1lD,EAAI,UAEK,IAAdA,EAAI65C,QACNA,EAAQ75C,EAAI65C,aACL75C,EAAI65C,OAEbmE,EAAIvxC,EAAMA,EAAM3kB,OAAS,GACrBkY,EAAI8jD,GAASxhD,MAAM,WAAau3C,GAClCqN,EAAWlnD,EAAI8jD,UACR9jD,EAAI8jD,KAEPG,EAAM/pD,QAAQsK,OAChBxE,EAAI8jD,GAAW9jD,EAAI8jD,GAASt/C,QAE1By/C,EAAM/pD,QAAQkkD,YAChBp+C,EAAI8jD,GAAW9jD,EAAI8jD,GAAS3xD,QAAQ,UAAW,KAAKqS,QAEtDxE,EAAI8jD,GAAWG,EAAM/pD,QAAQsrD,gBAAkBK,EAAY5B,EAAM/pD,QAAQsrD,gBAAiBxlD,EAAI8jD,GAAUqD,GAAYnnD,EAAI8jD,GACxF,IAA5Bn+D,OAAO6G,KAAKwT,GAAKlY,QAAgBg8D,KAAW9jD,IAAQikD,EAAM6C,mBAC5D9mD,EAAMA,EAAI8jD,KAGV8B,EAAQ5lD,KAERA,EADoC,mBAA3BikD,EAAM/pD,QAAQurD,SACjBxB,EAAM/pD,QAAQurD,WAEa,KAA3BxB,EAAM/pD,QAAQurD,SAAkBxB,EAAM/pD,QAAQurD,SAAWyB,GAGpC,MAA3BjD,EAAM/pD,QAAQ8qD,YAChBsC,EAAQ,IAAO,WACb,IAAI1/D,EAAGa,EAAKygD,EAEZ,IADAA,EAAU,GACLthD,EAAI,EAAGa,EAAMgkB,EAAM3kB,OAAQF,EAAIa,EAAKb,IACvC8H,EAAO+c,EAAM7kB,GACbshD,EAAQtiD,KAAK8I,EAAK,UAEpB,OAAOw5C,CACR,CARa,GAQRzhD,OAAO0/D,GAAUnlD,KAAK,KAC5B,WACE,IAAImF,EACJ,IACE,OAAOnH,EAAMikD,EAAM/pD,QAAQ8qD,UAAUsC,EAAOtJ,GAAKA,EAAEmJ,GAAWnnD,EAChE,CAAE,MAAOymD,GAEP,OADAt/C,EAAMs/C,EACCxC,EAAM/7D,KAAK,QAASif,EAC7B,CACD,CARD,IAUE88C,EAAM/pD,QAAQ+qD,mBAAqBhB,EAAM/pD,QAAQ6qD,YAA6B,iBAAR/kD,EACxE,GAAKikD,EAAM/pD,QAAQwrD,uBAcZ,GAAI1H,EAAG,CAGZ,IAAK/qD,KAFL+qD,EAAEiG,EAAM/pD,QAAQgrD,UAAYlH,EAAEiG,EAAM/pD,QAAQgrD,WAAa,GACzDkC,EAAW,CAAC,EACApnD,EACLyjD,EAAQn8D,KAAK0Y,EAAK/M,IACvBiN,EAAeknD,EAAUn0D,EAAK+M,EAAI/M,IAEpC+qD,EAAEiG,EAAM/pD,QAAQgrD,UAAUt+D,KAAKwgE,UACxBpnD,EAAI,SACqB,IAA5Bra,OAAO6G,KAAKwT,GAAKlY,QAAgBg8D,KAAW9jD,IAAQikD,EAAM6C,mBAC5D9mD,EAAMA,EAAI8jD,GAEd,OAzBEp0D,EAAO,CAAC,EACJu0D,EAAM/pD,QAAQ2pD,WAAW7jD,IAC3BtQ,EAAKu0D,EAAM/pD,QAAQ2pD,SAAW7jD,EAAIikD,EAAM/pD,QAAQ2pD,gBACzC7jD,EAAIikD,EAAM/pD,QAAQ2pD,WAEtBI,EAAM/pD,QAAQirD,iBAAmBlB,EAAM/pD,QAAQ4pD,WAAW9jD,IAC7DtQ,EAAKu0D,EAAM/pD,QAAQ4pD,SAAW9jD,EAAIikD,EAAM/pD,QAAQ4pD,gBACzC9jD,EAAIikD,EAAM/pD,QAAQ4pD,UAEvBn+D,OAAO4hE,oBAAoBvnD,GAAKlY,OAAS,IAC3C4H,EAAKu0D,EAAM/pD,QAAQgrD,UAAYllD,GAEjCA,EAAMtQ,EAeV,OAAI+c,EAAM3kB,OAAS,EACVm8D,EAAMiC,aAAalI,EAAGmJ,EAAUnnD,IAEnCikD,EAAM/pD,QAAQw5C,eAChB2T,EAAMrnD,EAENE,EADAF,EAAM,CAAC,EACamnD,EAAUE,IAEhCpD,EAAM4C,aAAe7mD,EACrBikD,EAAMuC,UAAUI,OAAQ,EACjB3C,EAAM/7D,KAAK,MAAO+7D,EAAM4C,cAEnC,CACD,CAjG2B,CAiGzBzgE,MACHugE,EAAS,SAAU1C,GACjB,OAAO,SAASxtD,GACd,IAAI+wD,EAAWxJ,EAEf,GADAA,EAAIvxC,EAAMA,EAAM3kB,OAAS,GAcvB,OAZAk2D,EAAE8F,IAAYrtD,EACVwtD,EAAM/pD,QAAQ+qD,kBAAoBhB,EAAM/pD,QAAQwrD,uBAAyBzB,EAAM/pD,QAAQirD,kBAAoBlB,EAAM/pD,QAAQkrD,mBAAyD,KAApC3uD,EAAKtE,QAAQ,OAAQ,IAAIqS,UACzKw5C,EAAEiG,EAAM/pD,QAAQgrD,UAAYlH,EAAEiG,EAAM/pD,QAAQgrD,WAAa,IACzDsC,EAAY,CACV,QAAS,aAED1D,GAAWrtD,EACjBwtD,EAAM/pD,QAAQkkD,YAChBoJ,EAAU1D,GAAW0D,EAAU1D,GAAS3xD,QAAQ,UAAW,KAAKqS,QAElEw5C,EAAEiG,EAAM/pD,QAAQgrD,UAAUt+D,KAAK4gE,IAE1BxJ,CAEX,CACD,CApBQ,CAoBN53D,MACHA,KAAKogE,UAAUG,OAASA,EACjBvgE,KAAKogE,UAAUiB,QACb,SAAShxD,GACd,IAAIunD,EAEJ,GADAA,EAAI2I,EAAOlwD,GAET,OAAOunD,EAAEnE,OAAQ,CAErB,CAEJ,EAEApG,EAAO7tD,UAAUqgE,YAAc,SAAS/+C,EAAKmT,GAC3C,IAAIlT,EACO,MAANkT,GAA6B,mBAAPA,IACzBj0B,KAAK2C,GAAG,OAAO,SAASkJ,GAEtB,OADA7L,KAAKiuC,QACEha,EAAG,KAAMpoB,EAClB,IACA7L,KAAK2C,GAAG,SAAS,SAASoe,GAExB,OADA/gB,KAAKiuC,QACEha,EAAGlT,EACZ,KAEF,IAEE,MAAmB,MADnBD,EAAMA,EAAIpZ,YACF0W,QACNpe,KAAK8B,KAAK,MAAO,OACV,IAETgf,EAAM5V,EAAI6xD,SAASj8C,GACf9gB,KAAK8T,QAAQxE,OACftP,KAAKmgE,UAAYr/C,EACjBq4C,EAAan5D,KAAK+/D,cACX//D,KAAKogE,WAEPpgE,KAAKogE,UAAUvO,MAAM/wC,GAAK8iB,QACnC,CAAE,MAAOy8B,GAEP,GADAt/C,EAAMs/C,GACArgE,KAAKogE,UAAUE,YAAatgE,KAAKogE,UAAUI,MAE/C,OADAxgE,KAAK8B,KAAK,QAASif,GACZ/gB,KAAKogE,UAAUE,WAAY,EAC7B,GAAItgE,KAAKogE,UAAUI,MACxB,MAAMz/C,CAEV,CACF,EAEAssC,EAAO7tD,UAAU+tD,mBAAqB,SAASzsC,GAC7C,OAAO,IAAIva,SAAkBs3D,EAU1B79D,KATM,SAASsG,EAAS2J,GACvB,OAAO4tD,EAAMgC,YAAY/+C,GAAK,SAASC,EAAK1b,GAC1C,OAAI0b,EACK9Q,EAAO8Q,GAEPza,EAAQjB,EAEnB,GACF,IATiB,IAAUw4D,CAW/B,EAEOxQ,CAER,CAjUgB,CAiUdtsD,GAEHiC,EAAQ68D,YAAc,SAAS/+C,EAAK5W,EAAG2T,GACrC,IAAIoW,EAAIngB,EAeR,OAdS,MAAL+J,GACe,mBAANA,IACToW,EAAKpW,GAEU,iBAAN3T,IACT4J,EAAU5J,KAGK,mBAANA,IACT+pB,EAAK/pB,GAEP4J,EAAU,CAAC,GAEJ,IAAI9Q,EAAQqqD,OAAOv5C,GACd+rD,YAAY/+C,EAAKmT,EACjC,EAEAjxB,EAAQuqD,mBAAqB,SAASzsC,EAAK5W,GACzC,IAAI4J,EAKJ,MAJiB,iBAAN5J,IACT4J,EAAU5J,GAEH,IAAIlH,EAAQqqD,OAAOv5C,GACdy5C,mBAAmBzsC,EACnC,CAED,GAAE5f,KAAKlB,2BCzYR,WACE,aACA,IAAIshE,EAEJA,EAAc,IAAIhmD,OAAO,iBAEzBtY,EAAQg1D,UAAY,SAASl3C,GAC3B,OAAOA,EAAIrU,aACb,EAEAzJ,EAAQu+D,mBAAqB,SAASzgD,GACpC,OAAOA,EAAIsF,OAAO,GAAG3Z,cAAgBqU,EAAI3f,MAAM,EACjD,EAEA6B,EAAQw+D,YAAc,SAAS1gD,GAC7B,OAAOA,EAAI/U,QAAQu1D,EAAa,GAClC,EAEAt+D,EAAQkb,aAAe,SAAS4C,GAI9B,OAHK3C,MAAM2C,KACTA,EAAMA,EAAM,GAAM,EAAIovB,SAASpvB,EAAK,IAAM2gD,WAAW3gD,IAEhDA,CACT,EAEA9d,EAAQqb,cAAgB,SAASyC,GAI/B,MAHI,oBAAoB/W,KAAK+W,KAC3BA,EAA4B,SAAtBA,EAAIrU,eAELqU,CACT,CAED,GAAE5f,KAAKlB,6BChCR,WACE,aACA,IAAIg9D,EAASC,EAAU7P,EAAQsS,EAE7BrC,EAAU,CAAC,EAAE59D,eAEfw9D,EAAW,EAAQ,OAEnBD,EAAU,EAAQ,OAElB5P,EAAS,EAAQ,OAEjBsS,EAAa,EAAQ,MAErB18D,EAAQi6D,SAAWA,EAASA,SAE5Bj6D,EAAQ08D,WAAaA,EAErB18D,EAAQ0+D,gBAAkB,SAAU9B,GAGlC,SAAS8B,EAAgBx1D,GACvBlM,KAAKkM,QAAUA,CACjB,CAEA,OAtBS,SAASqhB,EAAO/K,GAAU,IAAK,IAAI3V,KAAO2V,EAAc66C,EAAQn8D,KAAKshB,EAAQ3V,KAAM0gB,EAAM1gB,GAAO2V,EAAO3V,IAAQ,SAASozD,IAASjgE,KAAK6D,YAAc0pB,CAAO,CAAE0yC,EAAKzgE,UAAYgjB,EAAOhjB,UAAW+tB,EAAM/tB,UAAY,IAAIygE,EAAQ1yC,EAAM2yC,UAAY19C,EAAOhjB,SAAyB,CAgBzRihB,CAAOihD,EAQN51D,OAFM41D,CAER,CATyB,GAW1B1+D,EAAQs6D,QAAUN,EAAQM,QAE1Bt6D,EAAQqqD,OAASD,EAAOC,OAExBrqD,EAAQ68D,YAAczS,EAAOyS,YAE7B78D,EAAQuqD,mBAAqBH,EAAOG,kBAErC,GAAErsD,KAAKlB,0BCrCR,WACE+C,EAAOC,QAAU,CACf2+D,aAAc,EACdC,UAAW,EACXC,UAAW,EACXC,SAAU,EACVC,YAAa,GACbC,uBAAwB,GAG3B,GAAE9gE,KAAKlB,0BCVR,WACE+C,EAAOC,QAAU,CACfi/D,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,GAAE/hE,KAAKlB,0BCrBR,WACE,IAAI0E,EAAQw+D,EAAUz1D,EAAS+xD,EAASv3B,EAAY9V,EAAU3qB,EAC5DrG,EAAQ,GAAGA,MACXk8D,EAAU,CAAC,EAAE59D,eAEfiF,EAAS,WACP,IAAIlD,EAAGqL,EAAKxK,EAAK0kB,EAAQo8C,EAASn/D,EAElC,GADAA,EAAS1B,UAAU,GAAI6gE,EAAU,GAAK7gE,UAAUZ,OAASP,EAAMD,KAAKoB,UAAW,GAAK,GAChF2lC,EAAW1oC,OAAOmF,QACpBnF,OAAOmF,OAAOjC,MAAM,KAAMH,gBAE1B,IAAKd,EAAI,EAAGa,EAAM8gE,EAAQzhE,OAAQF,EAAIa,EAAKb,IAEzC,GAAc,OADdulB,EAASo8C,EAAQ3hE,IAEf,IAAKqL,KAAOka,EACLs2C,EAAQn8D,KAAK6lB,EAAQla,KAC1B7I,EAAO6I,GAAOka,EAAOla,IAK7B,OAAO7I,CACT,EAEAikC,EAAa,SAAS3mB,GACpB,QAASA,GAA+C,sBAAxC/hB,OAAOC,UAAUkI,SAASxG,KAAKogB,EACjD,EAEA6Q,EAAW,SAAS7Q,GAClB,IAAIrJ,EACJ,QAASqJ,IAA+B,aAAtBrJ,SAAaqJ,IAA+B,WAARrJ,EACxD,EAEAxK,EAAU,SAAS6T,GACjB,OAAI2mB,EAAWrmC,MAAM6L,SACZ7L,MAAM6L,QAAQ6T,GAE0B,mBAAxC/hB,OAAOC,UAAUkI,SAASxG,KAAKogB,EAE1C,EAEAk+C,EAAU,SAASl+C,GACjB,IAAIzU,EACJ,GAAIY,EAAQ6T,GACV,OAAQA,EAAI5f,OAEZ,IAAKmL,KAAOyU,EACV,GAAK+7C,EAAQn8D,KAAKogB,EAAKzU,GACvB,OAAO,EAET,OAAO,CAEX,EAEArF,EAAgB,SAAS8Z,GACvB,IAAI2+C,EAAMmD,EACV,OAAOjxC,EAAS7Q,KAAS8hD,EAAQ7jE,OAAOu6D,eAAex4C,MAAU2+C,EAAOmD,EAAMv/D,cAAiC,mBAATo8D,GAAyBA,aAAgBA,GAAUl+B,SAASviC,UAAUkI,SAASxG,KAAK++D,KAAUl+B,SAASviC,UAAUkI,SAASxG,KAAK3B,OACvO,EAEA2jE,EAAW,SAAStpD,GAClB,OAAIquB,EAAWruB,EAAIsuB,SACVtuB,EAAIsuB,UAEJtuB,CAEX,EAEA7W,EAAOC,QAAQ0B,OAASA,EAExB3B,EAAOC,QAAQilC,WAAaA,EAE5BllC,EAAOC,QAAQmvB,SAAWA,EAE1BpvB,EAAOC,QAAQyK,QAAUA,EAEzB1K,EAAOC,QAAQw8D,QAAUA,EAEzBz8D,EAAOC,QAAQwE,cAAgBA,EAE/BzE,EAAOC,QAAQkgE,SAAWA,CAE3B,GAAEhiE,KAAKlB,0BCjFR,WACE+C,EAAOC,QAAU,CACfqgE,KAAM,EACNC,QAAS,EACTC,UAAW,EACXC,SAAU,EAGb,GAAEtiE,KAAKlB,8BCRR,WACE,IAAIyjE,EAEJA,EAAW,EAAQ,OAET,EAAQ,OAElB1gE,EAAOC,QAAyB,WAC9B,SAAS0gE,EAAalhD,EAAQxhB,EAAMqE,GAMlC,GALArF,KAAKwiB,OAASA,EACVxiB,KAAKwiB,SACPxiB,KAAK8T,QAAU9T,KAAKwiB,OAAO1O,QAC3B9T,KAAKuF,UAAYvF,KAAKwiB,OAAOjd,WAEnB,MAARvE,EACF,MAAM,IAAI8K,MAAM,2BAA6B9L,KAAK2jE,UAAU3iE,IAE9DhB,KAAKgB,KAAOhB,KAAKuF,UAAUvE,KAAKA,GAChChB,KAAKqF,MAAQrF,KAAKuF,UAAUq+D,SAASv+D,GACrCrF,KAAK8K,KAAO24D,EAASvB,UACrBliE,KAAK6jE,MAAO,EACZ7jE,KAAK8jE,eAAiB,IACxB,CAgFA,OA9EAvkE,OAAOua,eAAe4pD,EAAalkE,UAAW,WAAY,CACxDuG,IAAK,WACH,OAAO/F,KAAK8K,IACd,IAGFvL,OAAOua,eAAe4pD,EAAalkE,UAAW,eAAgB,CAC5DuG,IAAK,WACH,OAAO/F,KAAKwiB,MACd,IAGFjjB,OAAOua,eAAe4pD,EAAalkE,UAAW,cAAe,CAC3DuG,IAAK,WACH,OAAO/F,KAAKqF,KACd,EACA0N,IAAK,SAAS1N,GACZ,OAAOrF,KAAKqF,MAAQA,GAAS,EAC/B,IAGF9F,OAAOua,eAAe4pD,EAAalkE,UAAW,eAAgB,CAC5DuG,IAAK,WACH,MAAO,EACT,IAGFxG,OAAOua,eAAe4pD,EAAalkE,UAAW,SAAU,CACtDuG,IAAK,WACH,MAAO,EACT,IAGFxG,OAAOua,eAAe4pD,EAAalkE,UAAW,YAAa,CACzDuG,IAAK,WACH,OAAO/F,KAAKgB,IACd,IAGFzB,OAAOua,eAAe4pD,EAAalkE,UAAW,YAAa,CACzDuG,IAAK,WACH,OAAO,CACT,IAGF29D,EAAalkE,UAAUsiB,MAAQ,WAC7B,OAAOviB,OAAOqB,OAAOZ,KACvB,EAEA0jE,EAAalkE,UAAUkI,SAAW,SAASoM,GACzC,OAAO9T,KAAK8T,QAAQiwD,OAAOxxB,UAAUvyC,KAAMA,KAAK8T,QAAQiwD,OAAOC,cAAclwD,GAC/E,EAEA4vD,EAAalkE,UAAUmkE,UAAY,SAAS3iE,GAE1C,OAAY,OADZA,EAAOA,GAAQhB,KAAKgB,MAEX,YAAchB,KAAKwiB,OAAOxhB,KAAO,IAEjC,eAAiBA,EAAO,eAAiBhB,KAAKwiB,OAAOxhB,KAAO,GAEvE,EAEA0iE,EAAalkE,UAAUykE,YAAc,SAAS36D,GAC5C,OAAIA,EAAK46D,eAAiBlkE,KAAKkkE,cAG3B56D,EAAK5J,SAAWM,KAAKN,QAGrB4J,EAAK66D,YAAcnkE,KAAKmkE,WAGxB76D,EAAKjE,QAAUrF,KAAKqF,KAI1B,EAEOq+D,CAER,CAjG+B,EAmGjC,GAAExiE,KAAKlB,8BC1GR,WACE,IAAIyjE,EAAoBW,EAEtB/G,EAAU,CAAC,EAAE59D,eAEfgkE,EAAW,EAAQ,OAEnBW,EAAmB,EAAQ,MAE3BrhE,EAAOC,QAAqB,SAAU48D,GAGpC,SAASyE,EAAS7hD,EAAQnS,GAExB,GADAg0D,EAASnE,UAAUr8D,YAAY3C,KAAKlB,KAAMwiB,GAC9B,MAARnS,EACF,MAAM,IAAIvE,MAAM,uBAAyB9L,KAAK2jE,aAEhD3jE,KAAKgB,KAAO,iBACZhB,KAAK8K,KAAO24D,EAASrB,MACrBpiE,KAAKqF,MAAQrF,KAAKuF,UAAUkuD,MAAMpjD,EACpC,CAUA,OA5BS,SAASkd,EAAO/K,GAAU,IAAK,IAAI3V,KAAO2V,EAAc66C,EAAQn8D,KAAKshB,EAAQ3V,KAAM0gB,EAAM1gB,GAAO2V,EAAO3V,IAAQ,SAASozD,IAASjgE,KAAK6D,YAAc0pB,CAAO,CAAE0yC,EAAKzgE,UAAYgjB,EAAOhjB,UAAW+tB,EAAM/tB,UAAY,IAAIygE,EAAQ1yC,EAAM2yC,UAAY19C,EAAOhjB,SAAyB,CAQzRihB,CAAO4jD,EAAUzE,GAYjByE,EAAS7kE,UAAUsiB,MAAQ,WACzB,OAAOviB,OAAOqB,OAAOZ,KACvB,EAEAqkE,EAAS7kE,UAAUkI,SAAW,SAASoM,GACrC,OAAO9T,KAAK8T,QAAQiwD,OAAOtQ,MAAMzzD,KAAMA,KAAK8T,QAAQiwD,OAAOC,cAAclwD,GAC3E,EAEOuwD,CAER,CAvB2B,CAuBzBD,EAEJ,GAAEljE,KAAKlB,6BClCR,WACE,IAAsBskE,EAEpBjH,EAAU,CAAC,EAAE59D,eAEf6kE,EAAU,EAAQ,OAElBvhE,EAAOC,QAA6B,SAAU48D,GAG5C,SAASwE,EAAiB5hD,GACxB4hD,EAAiBlE,UAAUr8D,YAAY3C,KAAKlB,KAAMwiB,GAClDxiB,KAAKqF,MAAQ,EACf,CA4DA,OAvES,SAASkoB,EAAO/K,GAAU,IAAK,IAAI3V,KAAO2V,EAAc66C,EAAQn8D,KAAKshB,EAAQ3V,KAAM0gB,EAAM1gB,GAAO2V,EAAO3V,IAAQ,SAASozD,IAASjgE,KAAK6D,YAAc0pB,CAAO,CAAE0yC,EAAKzgE,UAAYgjB,EAAOhjB,UAAW+tB,EAAM/tB,UAAY,IAAIygE,EAAQ1yC,EAAM2yC,UAAY19C,EAAOhjB,SAAyB,CAMzRihB,CAAO2jD,EAAkBxE,GAOzBrgE,OAAOua,eAAesqD,EAAiB5kE,UAAW,OAAQ,CACxDuG,IAAK,WACH,OAAO/F,KAAKqF,KACd,EACA0N,IAAK,SAAS1N,GACZ,OAAOrF,KAAKqF,MAAQA,GAAS,EAC/B,IAGF9F,OAAOua,eAAesqD,EAAiB5kE,UAAW,SAAU,CAC1DuG,IAAK,WACH,OAAO/F,KAAKqF,MAAM3D,MACpB,IAGFnC,OAAOua,eAAesqD,EAAiB5kE,UAAW,cAAe,CAC/DuG,IAAK,WACH,OAAO/F,KAAKqF,KACd,EACA0N,IAAK,SAAS1N,GACZ,OAAOrF,KAAKqF,MAAQA,GAAS,EAC/B,IAGF++D,EAAiB5kE,UAAUsiB,MAAQ,WACjC,OAAOviB,OAAOqB,OAAOZ,KACvB,EAEAokE,EAAiB5kE,UAAU+kE,cAAgB,SAASn8C,EAAQo8C,GAC1D,MAAM,IAAI14D,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAS,EAAiB5kE,UAAUilE,WAAa,SAASC,GAC/C,MAAM,IAAI54D,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAS,EAAiB5kE,UAAUmlE,WAAa,SAASv8C,EAAQs8C,GACvD,MAAM,IAAI54D,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAS,EAAiB5kE,UAAUolE,WAAa,SAASx8C,EAAQo8C,GACvD,MAAM,IAAI14D,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAS,EAAiB5kE,UAAUqlE,YAAc,SAASz8C,EAAQo8C,EAAOE,GAC/D,MAAM,IAAI54D,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAS,EAAiB5kE,UAAUykE,YAAc,SAAS36D,GAChD,QAAK86D,EAAiBlE,UAAU+D,YAAYxhE,MAAMzC,KAAMsC,WAAW2hE,YAAY36D,IAG3EA,EAAKxE,OAAS9E,KAAK8E,IAIzB,EAEOs/D,CAER,CApEmC,CAoEjCE,EAEJ,GAAEpjE,KAAKlB,8BC7ER,WACE,IAAIyjE,EAAUW,EAEZ/G,EAAU,CAAC,EAAE59D,eAEfgkE,EAAW,EAAQ,OAEnBW,EAAmB,EAAQ,MAE3BrhE,EAAOC,QAAuB,SAAU48D,GAGtC,SAASkF,EAAWtiD,EAAQnS,GAE1B,GADAy0D,EAAW5E,UAAUr8D,YAAY3C,KAAKlB,KAAMwiB,GAChC,MAARnS,EACF,MAAM,IAAIvE,MAAM,yBAA2B9L,KAAK2jE,aAElD3jE,KAAKgB,KAAO,WACZhB,KAAK8K,KAAO24D,EAASjB,QACrBxiE,KAAKqF,MAAQrF,KAAKuF,UAAUouD,QAAQtjD,EACtC,CAUA,OA5BS,SAASkd,EAAO/K,GAAU,IAAK,IAAI3V,KAAO2V,EAAc66C,EAAQn8D,KAAKshB,EAAQ3V,KAAM0gB,EAAM1gB,GAAO2V,EAAO3V,IAAQ,SAASozD,IAASjgE,KAAK6D,YAAc0pB,CAAO,CAAE0yC,EAAKzgE,UAAYgjB,EAAOhjB,UAAW+tB,EAAM/tB,UAAY,IAAIygE,EAAQ1yC,EAAM2yC,UAAY19C,EAAOhjB,SAAyB,CAQzRihB,CAAOqkD,EAAYlF,GAYnBkF,EAAWtlE,UAAUsiB,MAAQ,WAC3B,OAAOviB,OAAOqB,OAAOZ,KACvB,EAEA8kE,EAAWtlE,UAAUkI,SAAW,SAASoM,GACvC,OAAO9T,KAAK8T,QAAQiwD,OAAOpQ,QAAQ3zD,KAAMA,KAAK8T,QAAQiwD,OAAOC,cAAclwD,GAC7E,EAEOgxD,CAER,CAvB6B,CAuB3BV,EAEJ,GAAEljE,KAAKlB,8BClCR,WACE,IAAyB+kE,EAAoBC,EAE7CD,EAAqB,EAAQ,OAE7BC,EAAmB,EAAQ,OAE3BjiE,EAAOC,QAAgC,WACrC,SAASiiE,IAEPjlE,KAAKklE,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,GAEjB/kE,KAAKiiB,OAAsB1iB,OAAOqB,OAAOZ,KAAKklE,cAChD,CA4BA,OA1BA3lE,OAAOua,eAAemrD,EAAoBzlE,UAAW,iBAAkB,CACrEuG,IAAK,WACH,OAAO,IAAIi/D,EAAiBzlE,OAAO6G,KAAKpG,KAAKklE,eAC/C,IAGFD,EAAoBzlE,UAAU2lE,aAAe,SAASnkE,GACpD,OAAIhB,KAAKiiB,OAAOxiB,eAAeuB,GACtBhB,KAAKiiB,OAAOjhB,GAEZ,IAEX,EAEAikE,EAAoBzlE,UAAU4lE,gBAAkB,SAASpkE,EAAMqE,GAC7D,OAAO,CACT,EAEA4/D,EAAoBzlE,UAAU6lE,aAAe,SAASrkE,EAAMqE,GAC1D,OAAa,MAATA,EACKrF,KAAKiiB,OAAOjhB,GAAQqE,SAEbrF,KAAKiiB,OAAOjhB,EAE9B,EAEOikE,CAER,CArDsC,EAuDxC,GAAE/jE,KAAKlB,0BC9DR,WAGE+C,EAAOC,QAA+B,WACpC,SAAS+hE,IAAsB,CAM/B,OAJAA,EAAmBvlE,UAAU8lE,YAAc,SAASr8D,GAClD,MAAM,IAAI6C,MAAM7C,EAClB,EAEO87D,CAER,CATqC,EAWvC,GAAE7jE,KAAKlB,0BCdR,WAGE+C,EAAOC,QAAiC,WACtC,SAASuiE,IAAwB,CAsBjC,OApBAA,EAAqB/lE,UAAUgmE,WAAa,SAASC,EAASxpC,GAC5D,OAAO,CACT,EAEAspC,EAAqB/lE,UAAUkmE,mBAAqB,SAASC,EAAeC,EAAUC,GACpF,MAAM,IAAI/5D,MAAM,sCAClB,EAEAy5D,EAAqB/lE,UAAUsmE,eAAiB,SAAS5B,EAAcyB,EAAe9R,GACpF,MAAM,IAAI/nD,MAAM,sCAClB,EAEAy5D,EAAqB/lE,UAAUumE,mBAAqB,SAAS36D,GAC3D,MAAM,IAAIU,MAAM,sCAClB,EAEAy5D,EAAqB/lE,UAAUwmE,WAAa,SAASP,EAASxpC,GAC5D,MAAM,IAAInwB,MAAM,sCAClB,EAEOy5D,CAER,CAzBuC,EA2BzC,GAAErkE,KAAKlB,0BC9BR,WAGE+C,EAAOC,QAA6B,WAClC,SAASgiE,EAAiBr+C,GACxB3mB,KAAK2mB,IAAMA,GAAO,EACpB,CAgBA,OAdApnB,OAAOua,eAAekrD,EAAiBxlE,UAAW,SAAU,CAC1DuG,IAAK,WACH,OAAO/F,KAAK2mB,IAAIjlB,MAClB,IAGFsjE,EAAiBxlE,UAAU8E,KAAO,SAASob,GACzC,OAAO1f,KAAK2mB,IAAIjH,IAAU,IAC5B,EAEAslD,EAAiBxlE,UAAU0hD,SAAW,SAASpgC,GAC7C,OAAkC,IAA3B9gB,KAAK2mB,IAAIzQ,QAAQ4K,EAC1B,EAEOkkD,CAER,CArBmC,EAuBrC,GAAE9jE,KAAKlB,8BC1BR,WACE,IAAIyjE,EAAyBa,EAE3BjH,EAAU,CAAC,EAAE59D,eAEf6kE,EAAU,EAAQ,OAElBb,EAAW,EAAQ,OAEnB1gE,EAAOC,QAA0B,SAAU48D,GAGzC,SAASqG,EAAczjD,EAAQ0jD,EAAaC,EAAeC,EAAeC,EAAkB9hE,GAE1F,GADA0hE,EAAc/F,UAAUr8D,YAAY3C,KAAKlB,KAAMwiB,GAC5B,MAAf0jD,EACF,MAAM,IAAIp6D,MAAM,6BAA+B9L,KAAK2jE,aAEtD,GAAqB,MAAjBwC,EACF,MAAM,IAAIr6D,MAAM,+BAAiC9L,KAAK2jE,UAAUuC,IAElE,IAAKE,EACH,MAAM,IAAIt6D,MAAM,+BAAiC9L,KAAK2jE,UAAUuC,IAElE,IAAKG,EACH,MAAM,IAAIv6D,MAAM,kCAAoC9L,KAAK2jE,UAAUuC,IAKrE,GAHsC,IAAlCG,EAAiBnwD,QAAQ,OAC3BmwD,EAAmB,IAAMA,IAEtBA,EAAiBnqD,MAAM,0CAC1B,MAAM,IAAIpQ,MAAM,kFAAoF9L,KAAK2jE,UAAUuC,IAErH,GAAI3hE,IAAiB8hE,EAAiBnqD,MAAM,uBAC1C,MAAM,IAAIpQ,MAAM,qDAAuD9L,KAAK2jE,UAAUuC,IAExFlmE,KAAKkmE,YAAclmE,KAAKuF,UAAUvE,KAAKklE,GACvClmE,KAAK8K,KAAO24D,EAASV,qBACrB/iE,KAAKmmE,cAAgBnmE,KAAKuF,UAAUvE,KAAKmlE,GACzCnmE,KAAKomE,cAAgBpmE,KAAKuF,UAAU+gE,WAAWF,GAC3C7hE,IACFvE,KAAKuE,aAAevE,KAAKuF,UAAUghE,cAAchiE,IAEnDvE,KAAKqmE,iBAAmBA,CAC1B,CAMA,OA/CS,SAAS94C,EAAO/K,GAAU,IAAK,IAAI3V,KAAO2V,EAAc66C,EAAQn8D,KAAKshB,EAAQ3V,KAAM0gB,EAAM1gB,GAAO2V,EAAO3V,IAAQ,SAASozD,IAASjgE,KAAK6D,YAAc0pB,CAAO,CAAE0yC,EAAKzgE,UAAYgjB,EAAOhjB,UAAW+tB,EAAM/tB,UAAY,IAAIygE,EAAQ1yC,EAAM2yC,UAAY19C,EAAOhjB,SAAyB,CAQzRihB,CAAOwlD,EAAerG,GAmCtBqG,EAAczmE,UAAUkI,SAAW,SAASoM,GAC1C,OAAO9T,KAAK8T,QAAQiwD,OAAOyC,WAAWxmE,KAAMA,KAAK8T,QAAQiwD,OAAOC,cAAclwD,GAChF,EAEOmyD,CAER,CA1CgC,CA0C9B3B,EAEJ,GAAEpjE,KAAKlB,8BCrDR,WACE,IAAIyjE,EAAyBa,EAE3BjH,EAAU,CAAC,EAAE59D,eAEf6kE,EAAU,EAAQ,OAElBb,EAAW,EAAQ,OAEnB1gE,EAAOC,QAA0B,SAAU48D,GAGzC,SAAS6G,EAAcjkD,EAAQxhB,EAAMqE,GAEnC,GADAohE,EAAcvG,UAAUr8D,YAAY3C,KAAKlB,KAAMwiB,GACnC,MAARxhB,EACF,MAAM,IAAI8K,MAAM,6BAA+B9L,KAAK2jE,aAEjDt+D,IACHA,EAAQ,aAENzD,MAAM6L,QAAQpI,KAChBA,EAAQ,IAAMA,EAAMuW,KAAK,KAAO,KAElC5b,KAAKgB,KAAOhB,KAAKuF,UAAUvE,KAAKA,GAChChB,KAAK8K,KAAO24D,EAAST,mBACrBhjE,KAAKqF,MAAQrF,KAAKuF,UAAUmhE,gBAAgBrhE,EAC9C,CAMA,OA9BS,SAASkoB,EAAO/K,GAAU,IAAK,IAAI3V,KAAO2V,EAAc66C,EAAQn8D,KAAKshB,EAAQ3V,KAAM0gB,EAAM1gB,GAAO2V,EAAO3V,IAAQ,SAASozD,IAASjgE,KAAK6D,YAAc0pB,CAAO,CAAE0yC,EAAKzgE,UAAYgjB,EAAOhjB,UAAW+tB,EAAM/tB,UAAY,IAAIygE,EAAQ1yC,EAAM2yC,UAAY19C,EAAOhjB,SAAyB,CAQzRihB,CAAOgmD,EAAe7G,GAkBtB6G,EAAcjnE,UAAUkI,SAAW,SAASoM,GAC1C,OAAO9T,KAAK8T,QAAQiwD,OAAO4C,WAAW3mE,KAAMA,KAAK8T,QAAQiwD,OAAOC,cAAclwD,GAChF,EAEO2yD,CAER,CAzBgC,CAyB9BnC,EAEJ,GAAEpjE,KAAKlB,8BCpCR,WACE,IAAIyjE,EAAwBa,EAASnyC,EAEnCkrC,EAAU,CAAC,EAAE59D,eAEf0yB,EAAW,kBAEXmyC,EAAU,EAAQ,OAElBb,EAAW,EAAQ,OAEnB1gE,EAAOC,QAAyB,SAAU48D,GAGxC,SAASgH,EAAapkD,EAAQqkD,EAAI7lE,EAAMqE,GAEtC,GADAuhE,EAAa1G,UAAUr8D,YAAY3C,KAAKlB,KAAMwiB,GAClC,MAARxhB,EACF,MAAM,IAAI8K,MAAM,4BAA8B9L,KAAK2jE,UAAU3iE,IAE/D,GAAa,MAATqE,EACF,MAAM,IAAIyG,MAAM,6BAA+B9L,KAAK2jE,UAAU3iE,IAKhE,GAHAhB,KAAK6mE,KAAOA,EACZ7mE,KAAKgB,KAAOhB,KAAKuF,UAAUvE,KAAKA,GAChChB,KAAK8K,KAAO24D,EAASnB,kBAChBnwC,EAAS9sB,GAGP,CACL,IAAKA,EAAMyhE,QAAUzhE,EAAM0hE,MACzB,MAAM,IAAIj7D,MAAM,yEAA2E9L,KAAK2jE,UAAU3iE,IAE5G,GAAIqE,EAAMyhE,QAAUzhE,EAAM0hE,MACxB,MAAM,IAAIj7D,MAAM,+DAAiE9L,KAAK2jE,UAAU3iE,IAYlG,GAVAhB,KAAKgnE,UAAW,EACG,MAAf3hE,EAAMyhE,QACR9mE,KAAK8mE,MAAQ9mE,KAAKuF,UAAU0hE,SAAS5hE,EAAMyhE,QAE1B,MAAfzhE,EAAM0hE,QACR/mE,KAAK+mE,MAAQ/mE,KAAKuF,UAAU2hE,SAAS7hE,EAAM0hE,QAE1B,MAAf1hE,EAAM8hE,QACRnnE,KAAKmnE,MAAQnnE,KAAKuF,UAAU6hE,SAAS/hE,EAAM8hE,QAEzCnnE,KAAK6mE,IAAM7mE,KAAKmnE,MAClB,MAAM,IAAIr7D,MAAM,8DAAgE9L,KAAK2jE,UAAU3iE,GAEnG,MAtBEhB,KAAKqF,MAAQrF,KAAKuF,UAAU8hE,eAAehiE,GAC3CrF,KAAKgnE,UAAW,CAsBpB,CA0CA,OAzFS,SAASz5C,EAAO/K,GAAU,IAAK,IAAI3V,KAAO2V,EAAc66C,EAAQn8D,KAAKshB,EAAQ3V,KAAM0gB,EAAM1gB,GAAO2V,EAAO3V,IAAQ,SAASozD,IAASjgE,KAAK6D,YAAc0pB,CAAO,CAAE0yC,EAAKzgE,UAAYgjB,EAAOhjB,UAAW+tB,EAAM/tB,UAAY,IAAIygE,EAAQ1yC,EAAM2yC,UAAY19C,EAAOhjB,SAAyB,CAUzRihB,CAAOmmD,EAAchH,GAuCrBrgE,OAAOua,eAAe8sD,EAAapnE,UAAW,WAAY,CACxDuG,IAAK,WACH,OAAO/F,KAAK8mE,KACd,IAGFvnE,OAAOua,eAAe8sD,EAAapnE,UAAW,WAAY,CACxDuG,IAAK,WACH,OAAO/F,KAAK+mE,KACd,IAGFxnE,OAAOua,eAAe8sD,EAAapnE,UAAW,eAAgB,CAC5DuG,IAAK,WACH,OAAO/F,KAAKmnE,OAAS,IACvB,IAGF5nE,OAAOua,eAAe8sD,EAAapnE,UAAW,gBAAiB,CAC7DuG,IAAK,WACH,OAAO,IACT,IAGFxG,OAAOua,eAAe8sD,EAAapnE,UAAW,cAAe,CAC3DuG,IAAK,WACH,OAAO,IACT,IAGFxG,OAAOua,eAAe8sD,EAAapnE,UAAW,aAAc,CAC1DuG,IAAK,WACH,OAAO,IACT,IAGF6gE,EAAapnE,UAAUkI,SAAW,SAASoM,GACzC,OAAO9T,KAAK8T,QAAQiwD,OAAOuD,UAAUtnE,KAAMA,KAAK8T,QAAQiwD,OAAOC,cAAclwD,GAC/E,EAEO8yD,CAER,CAlF+B,CAkF7BtC,EAEJ,GAAEpjE,KAAKlB,8BC/FR,WACE,IAAIyjE,EAA0Ba,EAE5BjH,EAAU,CAAC,EAAE59D,eAEf6kE,EAAU,EAAQ,OAElBb,EAAW,EAAQ,OAEnB1gE,EAAOC,QAA2B,SAAU48D,GAG1C,SAAS2H,EAAe/kD,EAAQxhB,EAAMqE,GAEpC,GADAkiE,EAAerH,UAAUr8D,YAAY3C,KAAKlB,KAAMwiB,GACpC,MAARxhB,EACF,MAAM,IAAI8K,MAAM,8BAAgC9L,KAAK2jE,UAAU3iE,IAEjE,IAAKqE,EAAMyhE,QAAUzhE,EAAM0hE,MACzB,MAAM,IAAIj7D,MAAM,qEAAuE9L,KAAK2jE,UAAU3iE,IAExGhB,KAAKgB,KAAOhB,KAAKuF,UAAUvE,KAAKA,GAChChB,KAAK8K,KAAO24D,EAASb,oBACF,MAAfv9D,EAAMyhE,QACR9mE,KAAK8mE,MAAQ9mE,KAAKuF,UAAU0hE,SAAS5hE,EAAMyhE,QAE1B,MAAfzhE,EAAM0hE,QACR/mE,KAAK+mE,MAAQ/mE,KAAKuF,UAAU2hE,SAAS7hE,EAAM0hE,OAE/C,CAkBA,OA5CS,SAASx5C,EAAO/K,GAAU,IAAK,IAAI3V,KAAO2V,EAAc66C,EAAQn8D,KAAKshB,EAAQ3V,KAAM0gB,EAAM1gB,GAAO2V,EAAO3V,IAAQ,SAASozD,IAASjgE,KAAK6D,YAAc0pB,CAAO,CAAE0yC,EAAKzgE,UAAYgjB,EAAOhjB,UAAW+tB,EAAM/tB,UAAY,IAAIygE,EAAQ1yC,EAAM2yC,UAAY19C,EAAOhjB,SAAyB,CAQzRihB,CAAO8mD,EAAgB3H,GAoBvBrgE,OAAOua,eAAeytD,EAAe/nE,UAAW,WAAY,CAC1DuG,IAAK,WACH,OAAO/F,KAAK8mE,KACd,IAGFvnE,OAAOua,eAAeytD,EAAe/nE,UAAW,WAAY,CAC1DuG,IAAK,WACH,OAAO/F,KAAK+mE,KACd,IAGFQ,EAAe/nE,UAAUkI,SAAW,SAASoM,GAC3C,OAAO9T,KAAK8T,QAAQiwD,OAAOyD,YAAYxnE,KAAMA,KAAK8T,QAAQiwD,OAAOC,cAAclwD,GACjF,EAEOyzD,CAER,CAvCiC,CAuC/BjD,EAEJ,GAAEpjE,KAAKlB,8BClDR,WACE,IAAIyjE,EAA0Ba,EAASnyC,EAErCkrC,EAAU,CAAC,EAAE59D,eAEf0yB,EAAW,kBAEXmyC,EAAU,EAAQ,OAElBb,EAAW,EAAQ,OAEnB1gE,EAAOC,QAA2B,SAAU48D,GAG1C,SAAS6H,EAAejlD,EAAQyZ,EAASyrC,EAAUC,GACjD,IAAI1vD,EACJwvD,EAAevH,UAAUr8D,YAAY3C,KAAKlB,KAAMwiB,GAC5C2P,EAAS8J,KACIA,GAAfhkB,EAAMgkB,GAAuBA,QAASyrC,EAAWzvD,EAAIyvD,SAAUC,EAAa1vD,EAAI0vD,YAE7E1rC,IACHA,EAAU,OAEZj8B,KAAK8K,KAAO24D,EAASZ,YACrB7iE,KAAKi8B,QAAUj8B,KAAKuF,UAAUqiE,WAAW3rC,GACzB,MAAZyrC,IACF1nE,KAAK0nE,SAAW1nE,KAAKuF,UAAUsiE,YAAYH,IAE3B,MAAdC,IACF3nE,KAAK2nE,WAAa3nE,KAAKuF,UAAUuiE,cAAcH,GAEnD,CAMA,OAnCS,SAASp6C,EAAO/K,GAAU,IAAK,IAAI3V,KAAO2V,EAAc66C,EAAQn8D,KAAKshB,EAAQ3V,KAAM0gB,EAAM1gB,GAAO2V,EAAO3V,IAAQ,SAASozD,IAASjgE,KAAK6D,YAAc0pB,CAAO,CAAE0yC,EAAKzgE,UAAYgjB,EAAOhjB,UAAW+tB,EAAM/tB,UAAY,IAAIygE,EAAQ1yC,EAAM2yC,UAAY19C,EAAOhjB,SAAyB,CAUzRihB,CAAOgnD,EAAgB7H,GAqBvB6H,EAAejoE,UAAUkI,SAAW,SAASoM,GAC3C,OAAO9T,KAAK8T,QAAQiwD,OAAOgE,YAAY/nE,KAAMA,KAAK8T,QAAQiwD,OAAOC,cAAclwD,GACjF,EAEO2zD,CAER,CA5BiC,CA4B/BnD,EAEJ,GAAEpjE,KAAKlB,6BCzCR,WACE,IAAIyjE,EAAUwC,EAAeQ,EAAeG,EAAcW,EAA4BS,EAAiB1D,EAASnyC,EAE9GkrC,EAAU,CAAC,EAAE59D,eAEf0yB,EAAW,kBAEXmyC,EAAU,EAAQ,OAElBb,EAAW,EAAQ,OAEnBwC,EAAgB,EAAQ,OAExBW,EAAe,EAAQ,OAEvBH,EAAgB,EAAQ,OAExBc,EAAiB,EAAQ,OAEzBS,EAAkB,EAAQ,OAE1BjlE,EAAOC,QAAuB,SAAU48D,GAGtC,SAASqI,EAAWzlD,EAAQskD,EAAOC,GACjC,IAAIx5C,EAAO/rB,EAAGa,EAAK4V,EAAKiwD,EAAMC,EAG9B,GAFAF,EAAW/H,UAAUr8D,YAAY3C,KAAKlB,KAAMwiB,GAC5CxiB,KAAK8K,KAAO24D,EAASf,QACjBlgD,EAAOuB,SAET,IAAKviB,EAAI,EAAGa,GADZ4V,EAAMuK,EAAOuB,UACSriB,OAAQF,EAAIa,EAAKb,IAErC,IADA+rB,EAAQtV,EAAIzW,IACFsJ,OAAS24D,EAASxB,QAAS,CACnCjiE,KAAKgB,KAAOusB,EAAMvsB,KAClB,KACF,CAGJhB,KAAKooE,eAAiB5lD,EAClB2P,EAAS20C,KACGA,GAAdoB,EAAOpB,GAAoBA,MAAOC,EAAQmB,EAAKnB,OAEpC,MAATA,IACqBA,GAAvBoB,EAAO,CAACrB,EAAOC,IAAqB,GAAID,EAAQqB,EAAK,IAE1C,MAATrB,IACF9mE,KAAK8mE,MAAQ9mE,KAAKuF,UAAU0hE,SAASH,IAE1B,MAATC,IACF/mE,KAAK+mE,MAAQ/mE,KAAKuF,UAAU2hE,SAASH,GAEzC,CAiIA,OAlLS,SAASx5C,EAAO/K,GAAU,IAAK,IAAI3V,KAAO2V,EAAc66C,EAAQn8D,KAAKshB,EAAQ3V,KAAM0gB,EAAM1gB,GAAO2V,EAAO3V,IAAQ,SAASozD,IAASjgE,KAAK6D,YAAc0pB,CAAO,CAAE0yC,EAAKzgE,UAAYgjB,EAAOhjB,UAAW+tB,EAAM/tB,UAAY,IAAIygE,EAAQ1yC,EAAM2yC,UAAY19C,EAAOhjB,SAAyB,CAoBzRihB,CAAOwnD,EAAYrI,GA+BnBrgE,OAAOua,eAAemuD,EAAWzoE,UAAW,WAAY,CACtDuG,IAAK,WACH,IAAIwnB,EAAO/rB,EAAGa,EAAKmpC,EAAOvzB,EAG1B,IAFAuzB,EAAQ,CAAC,EAEJhqC,EAAI,EAAGa,GADZ4V,EAAMjY,KAAK+jB,UACWriB,OAAQF,EAAIa,EAAKb,KACrC+rB,EAAQtV,EAAIzW,IACDsJ,OAAS24D,EAASnB,mBAAuB/0C,EAAMs5C,KACxDr7B,EAAMje,EAAMvsB,MAAQusB,GAGxB,OAAO,IAAIy6C,EAAgBx8B,EAC7B,IAGFjsC,OAAOua,eAAemuD,EAAWzoE,UAAW,YAAa,CACvDuG,IAAK,WACH,IAAIwnB,EAAO/rB,EAAGa,EAAKmpC,EAAOvzB,EAG1B,IAFAuzB,EAAQ,CAAC,EAEJhqC,EAAI,EAAGa,GADZ4V,EAAMjY,KAAK+jB,UACWriB,OAAQF,EAAIa,EAAKb,KACrC+rB,EAAQtV,EAAIzW,IACFsJ,OAAS24D,EAASb,sBAC1Bp3B,EAAMje,EAAMvsB,MAAQusB,GAGxB,OAAO,IAAIy6C,EAAgBx8B,EAC7B,IAGFjsC,OAAOua,eAAemuD,EAAWzoE,UAAW,WAAY,CACtDuG,IAAK,WACH,OAAO/F,KAAK8mE,KACd,IAGFvnE,OAAOua,eAAemuD,EAAWzoE,UAAW,WAAY,CACtDuG,IAAK,WACH,OAAO/F,KAAK+mE,KACd,IAGFxnE,OAAOua,eAAemuD,EAAWzoE,UAAW,iBAAkB,CAC5DuG,IAAK,WACH,MAAM,IAAI+F,MAAM,sCAAwC9L,KAAK2jE,YAC/D,IAGFsE,EAAWzoE,UAAUqqC,QAAU,SAAS7oC,EAAMqE,GAC5C,IAAIkoB,EAGJ,OAFAA,EAAQ,IAAIk5C,EAAczmE,KAAMgB,EAAMqE,GACtCrF,KAAK+jB,SAASvjB,KAAK+sB,GACZvtB,IACT,EAEAioE,EAAWzoE,UAAU6oE,QAAU,SAASnC,EAAaC,EAAeC,EAAeC,EAAkB9hE,GACnG,IAAIgpB,EAGJ,OAFAA,EAAQ,IAAI04C,EAAcjmE,KAAMkmE,EAAaC,EAAeC,EAAeC,EAAkB9hE,GAC7FvE,KAAK+jB,SAASvjB,KAAK+sB,GACZvtB,IACT,EAEAioE,EAAWzoE,UAAU22D,OAAS,SAASn1D,EAAMqE,GAC3C,IAAIkoB,EAGJ,OAFAA,EAAQ,IAAIq5C,EAAa5mE,MAAM,EAAOgB,EAAMqE,GAC5CrF,KAAK+jB,SAASvjB,KAAK+sB,GACZvtB,IACT,EAEAioE,EAAWzoE,UAAU8oE,QAAU,SAAStnE,EAAMqE,GAC5C,IAAIkoB,EAGJ,OAFAA,EAAQ,IAAIq5C,EAAa5mE,MAAM,EAAMgB,EAAMqE,GAC3CrF,KAAK+jB,SAASvjB,KAAK+sB,GACZvtB,IACT,EAEAioE,EAAWzoE,UAAU+oE,SAAW,SAASvnE,EAAMqE,GAC7C,IAAIkoB,EAGJ,OAFAA,EAAQ,IAAIg6C,EAAevnE,KAAMgB,EAAMqE,GACvCrF,KAAK+jB,SAASvjB,KAAK+sB,GACZvtB,IACT,EAEAioE,EAAWzoE,UAAUkI,SAAW,SAASoM,GACvC,OAAO9T,KAAK8T,QAAQiwD,OAAOyE,QAAQxoE,KAAMA,KAAK8T,QAAQiwD,OAAOC,cAAclwD,GAC7E,EAEAm0D,EAAWzoE,UAAUw+D,IAAM,SAASh9D,EAAMqE,GACxC,OAAOrF,KAAK6pC,QAAQ7oC,EAAMqE,EAC5B,EAEA4iE,EAAWzoE,UAAU0+D,IAAM,SAASgI,EAAaC,EAAeC,EAAeC,EAAkB9hE,GAC/F,OAAOvE,KAAKqoE,QAAQnC,EAAaC,EAAeC,EAAeC,EAAkB9hE,EACnF,EAEA0jE,EAAWzoE,UAAUipE,IAAM,SAASznE,EAAMqE,GACxC,OAAOrF,KAAKm2D,OAAOn1D,EAAMqE,EAC3B,EAEA4iE,EAAWzoE,UAAUkpE,KAAO,SAAS1nE,EAAMqE,GACzC,OAAOrF,KAAKsoE,QAAQtnE,EAAMqE,EAC5B,EAEA4iE,EAAWzoE,UAAUmpE,IAAM,SAAS3nE,EAAMqE,GACxC,OAAOrF,KAAKuoE,SAASvnE,EAAMqE,EAC7B,EAEA4iE,EAAWzoE,UAAUy+D,GAAK,WACxB,OAAOj+D,KAAKyrC,QAAUzrC,KAAKooE,cAC7B,EAEAH,EAAWzoE,UAAUykE,YAAc,SAAS36D,GAC1C,QAAK2+D,EAAW/H,UAAU+D,YAAYxhE,MAAMzC,KAAMsC,WAAW2hE,YAAY36D,IAGrEA,EAAKtI,OAAShB,KAAKgB,MAGnBsI,EAAKs8D,WAAa5lE,KAAK4lE,UAGvBt8D,EAAKu8D,WAAa7lE,KAAK6lE,QAI7B,EAEOoC,CAER,CAjK6B,CAiK3B3D,EAEJ,GAAEpjE,KAAKlB,8BCxLR,WACE,IAAIyjE,EAAUwB,EAAqBM,EAAmCjB,EAASsE,EAAiBC,EAAgBrhE,EAE9G61D,EAAU,CAAC,EAAE59D,eAEf+H,EAAgB,uBAEhB+9D,EAAuB,EAAQ,OAE/BN,EAAsB,EAAQ,OAE9BX,EAAU,EAAQ,OAElBb,EAAW,EAAQ,OAEnBoF,EAAiB,EAAQ,OAEzBD,EAAkB,EAAQ,OAE1B7lE,EAAOC,QAAwB,SAAU48D,GAGvC,SAASkJ,EAAYh1D,GACnBg1D,EAAY5I,UAAUr8D,YAAY3C,KAAKlB,KAAM,MAC7CA,KAAKgB,KAAO,YACZhB,KAAK8K,KAAO24D,EAAShB,SACrBziE,KAAK+oE,YAAc,KACnB/oE,KAAKgpE,UAAY,IAAI/D,EACrBnxD,IAAYA,EAAU,CAAC,GAClBA,EAAQiwD,SACXjwD,EAAQiwD,OAAS,IAAI6E,GAEvB5oE,KAAK8T,QAAUA,EACf9T,KAAKuF,UAAY,IAAIsjE,EAAe/0D,EACtC,CA0MA,OA1OS,SAASyZ,EAAO/K,GAAU,IAAK,IAAI3V,KAAO2V,EAAc66C,EAAQn8D,KAAKshB,EAAQ3V,KAAM0gB,EAAM1gB,GAAO2V,EAAO3V,IAAQ,SAASozD,IAASjgE,KAAK6D,YAAc0pB,CAAO,CAAE0yC,EAAKzgE,UAAYgjB,EAAOhjB,UAAW+tB,EAAM/tB,UAAY,IAAIygE,EAAQ1yC,EAAM2yC,UAAY19C,EAAOhjB,SAAyB,CAkBzRihB,CAAOqoD,EAAalJ,GAgBpBrgE,OAAOua,eAAegvD,EAAYtpE,UAAW,iBAAkB,CAC7D6F,MAAO,IAAIkgE,IAGbhmE,OAAOua,eAAegvD,EAAYtpE,UAAW,UAAW,CACtDuG,IAAK,WACH,IAAIwnB,EAAO/rB,EAAGa,EAAK4V,EAEnB,IAAKzW,EAAI,EAAGa,GADZ4V,EAAMjY,KAAK+jB,UACWriB,OAAQF,EAAIa,EAAKb,IAErC,IADA+rB,EAAQtV,EAAIzW,IACFsJ,OAAS24D,EAASf,QAC1B,OAAOn1C,EAGX,OAAO,IACT,IAGFhuB,OAAOua,eAAegvD,EAAYtpE,UAAW,kBAAmB,CAC9DuG,IAAK,WACH,OAAO/F,KAAKipE,YAAc,IAC5B,IAGF1pE,OAAOua,eAAegvD,EAAYtpE,UAAW,gBAAiB,CAC5DuG,IAAK,WACH,OAAO,IACT,IAGFxG,OAAOua,eAAegvD,EAAYtpE,UAAW,sBAAuB,CAClEuG,IAAK,WACH,OAAO,CACT,IAGFxG,OAAOua,eAAegvD,EAAYtpE,UAAW,cAAe,CAC1DuG,IAAK,WACH,OAA6B,IAAzB/F,KAAK+jB,SAASriB,QAAgB1B,KAAK+jB,SAAS,GAAGjZ,OAAS24D,EAASZ,YAC5D7iE,KAAK+jB,SAAS,GAAG2jD,SAEjB,IAEX,IAGFnoE,OAAOua,eAAegvD,EAAYtpE,UAAW,gBAAiB,CAC5DuG,IAAK,WACH,OAA6B,IAAzB/F,KAAK+jB,SAASriB,QAAgB1B,KAAK+jB,SAAS,GAAGjZ,OAAS24D,EAASZ,aAC5B,QAAhC7iE,KAAK+jB,SAAS,GAAG4jD,UAI5B,IAGFpoE,OAAOua,eAAegvD,EAAYtpE,UAAW,aAAc,CACzDuG,IAAK,WACH,OAA6B,IAAzB/F,KAAK+jB,SAASriB,QAAgB1B,KAAK+jB,SAAS,GAAGjZ,OAAS24D,EAASZ,YAC5D7iE,KAAK+jB,SAAS,GAAGkY,QAEjB,KAEX,IAGF18B,OAAOua,eAAegvD,EAAYtpE,UAAW,MAAO,CAClDuG,IAAK,WACH,OAAO/F,KAAK+oE,WACd,IAGFxpE,OAAOua,eAAegvD,EAAYtpE,UAAW,SAAU,CACrDuG,IAAK,WACH,OAAO,IACT,IAGFxG,OAAOua,eAAegvD,EAAYtpE,UAAW,aAAc,CACzDuG,IAAK,WACH,OAAO,IACT,IAGFxG,OAAOua,eAAegvD,EAAYtpE,UAAW,eAAgB,CAC3DuG,IAAK,WACH,OAAO,IACT,IAGFxG,OAAOua,eAAegvD,EAAYtpE,UAAW,cAAe,CAC1DuG,IAAK,WACH,OAAO,IACT,IAGF+iE,EAAYtpE,UAAU0pB,IAAM,SAAS66C,GACnC,IAAImF,EAQJ,OAPAA,EAAgB,CAAC,EACZnF,EAEMv8D,EAAcu8D,KACvBmF,EAAgBnF,EAChBA,EAAS/jE,KAAK8T,QAAQiwD,QAHtBA,EAAS/jE,KAAK8T,QAAQiwD,OAKjBA,EAAOt6D,SAASzJ,KAAM+jE,EAAOC,cAAckF,GACpD,EAEAJ,EAAYtpE,UAAUkI,SAAW,SAASoM,GACxC,OAAO9T,KAAK8T,QAAQiwD,OAAOt6D,SAASzJ,KAAMA,KAAK8T,QAAQiwD,OAAOC,cAAclwD,GAC9E,EAEAg1D,EAAYtpE,UAAU2K,cAAgB,SAAS+oD,GAC7C,MAAM,IAAIpnD,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAmF,EAAYtpE,UAAU2pE,uBAAyB,WAC7C,MAAM,IAAIr9D,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAmF,EAAYtpE,UAAU4pE,eAAiB,SAAStkE,GAC9C,MAAM,IAAIgH,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAmF,EAAYtpE,UAAU6pE,cAAgB,SAASvkE,GAC7C,MAAM,IAAIgH,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAmF,EAAYtpE,UAAU8pE,mBAAqB,SAASxkE,GAClD,MAAM,IAAIgH,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAmF,EAAYtpE,UAAU+pE,4BAA8B,SAASvlE,EAAQc,GACnE,MAAM,IAAIgH,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAmF,EAAYtpE,UAAUgqE,gBAAkB,SAASxoE,GAC/C,MAAM,IAAI8K,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAmF,EAAYtpE,UAAUiqE,sBAAwB,SAASzoE,GACrD,MAAM,IAAI8K,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAmF,EAAYtpE,UAAUkqE,qBAAuB,SAASC,GACpD,MAAM,IAAI79D,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAmF,EAAYtpE,UAAUoqE,WAAa,SAASC,EAAc50D,GACxD,MAAM,IAAInJ,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAmF,EAAYtpE,UAAUsqE,gBAAkB,SAAS5F,EAAcyB,GAC7D,MAAM,IAAI75D,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAmF,EAAYtpE,UAAUuqE,kBAAoB,SAAS7F,EAAcyB,GAC/D,MAAM,IAAI75D,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAmF,EAAYtpE,UAAUwqE,uBAAyB,SAAS9F,EAAcC,GACpE,MAAM,IAAIr4D,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAmF,EAAYtpE,UAAU8yB,eAAiB,SAAS23C,GAC9C,MAAM,IAAIn+D,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAmF,EAAYtpE,UAAU0qE,UAAY,SAASnjD,GACzC,MAAM,IAAIjb,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAmF,EAAYtpE,UAAU2qE,kBAAoB,WACxC,MAAM,IAAIr+D,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAmF,EAAYtpE,UAAU4qE,WAAa,SAAS9gE,EAAM46D,EAAcyB,GAC9D,MAAM,IAAI75D,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAmF,EAAYtpE,UAAU6qE,uBAAyB,SAASC,GACtD,MAAM,IAAIx+D,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAmF,EAAYtpE,UAAUkK,YAAc,SAAS6gE,GAC3C,MAAM,IAAIz+D,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAmF,EAAYtpE,UAAUgrE,YAAc,WAClC,MAAM,IAAI1+D,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAmF,EAAYtpE,UAAUirE,mBAAqB,SAASh/B,EAAMi/B,EAAY14D,GACpE,MAAM,IAAIlG,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAmF,EAAYtpE,UAAUmrE,iBAAmB,SAASl/B,EAAMi/B,EAAY14D,GAClE,MAAM,IAAIlG,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEOmF,CAER,CA3N8B,CA2N5BxE,EAEJ,GAAEpjE,KAAKlB,8BChPR,WACE,IAAIyjE,EAAUmH,EAAalH,EAAcW,EAAUS,EAAYmB,EAAeQ,EAAeG,EAAcW,EAAgBE,EAAgBQ,EAAYa,EAA4B+B,EAAYC,EAA0BC,EAAQnC,EAAiBC,EAAgBmC,EAAS9H,EAAUj7B,EAAY9V,EAAU3qB,EAAeyQ,EACxTolD,EAAU,CAAC,EAAE59D,eAEfwY,EAAM,EAAQ,OAAcka,EAAWla,EAAIka,SAAU8V,EAAahwB,EAAIgwB,WAAYzgC,EAAgByQ,EAAIzQ,cAAe07D,EAAWjrD,EAAIirD,SAEpIO,EAAW,EAAQ,OAEnBqF,EAAc,EAAQ,OAEtB+B,EAAa,EAAQ,OAErBxG,EAAW,EAAQ,OAEnBS,EAAa,EAAQ,OAErBiG,EAAS,EAAQ,OAEjBC,EAAU,EAAQ,OAElBF,EAA2B,EAAQ,OAEnCrD,EAAiB,EAAQ,OAEzBQ,EAAa,EAAQ,MAErBhC,EAAgB,EAAQ,OAExBW,EAAe,EAAQ,OAEvBH,EAAgB,EAAQ,OAExBc,EAAiB,EAAQ,OAEzB7D,EAAe,EAAQ,OAEvBmF,EAAiB,EAAQ,OAEzBD,EAAkB,EAAQ,OAE1BgC,EAAc,EAAQ,OAEtB7nE,EAAOC,QAA0B,WAC/B,SAASioE,EAAcn3D,EAASo3D,EAAQC,GACtC,IAAIjC,EACJlpE,KAAKgB,KAAO,OACZhB,KAAK8K,KAAO24D,EAAShB,SACrB3uD,IAAYA,EAAU,CAAC,GACvBo1D,EAAgB,CAAC,EACZp1D,EAAQiwD,OAEFv8D,EAAcsM,EAAQiwD,UAC/BmF,EAAgBp1D,EAAQiwD,OACxBjwD,EAAQiwD,OAAS,IAAI6E,GAHrB90D,EAAQiwD,OAAS,IAAI6E,EAKvB5oE,KAAK8T,QAAUA,EACf9T,KAAK+jE,OAASjwD,EAAQiwD,OACtB/jE,KAAKkpE,cAAgBlpE,KAAK+jE,OAAOC,cAAckF,GAC/ClpE,KAAKuF,UAAY,IAAIsjE,EAAe/0D,GACpC9T,KAAKorE,eAAiBF,GAAU,WAAY,EAC5ClrE,KAAKqrE,cAAgBF,GAAS,WAAY,EAC1CnrE,KAAKsrE,YAAc,KACnBtrE,KAAKurE,cAAgB,EACrBvrE,KAAKwrE,SAAW,CAAC,EACjBxrE,KAAKyrE,iBAAkB,EACvBzrE,KAAK0rE,mBAAoB,EACzB1rE,KAAKyrC,KAAO,IACd,CAucA,OArcAw/B,EAAczrE,UAAUmsE,gBAAkB,SAASriE,GACjD,IAAI40D,EAAK0N,EAAS98B,EAAYvhB,EAAO/rB,EAAGa,EAAK6lE,EAAMC,EACnD,OAAQ7+D,EAAKwB,MACX,KAAK24D,EAASrB,MACZpiE,KAAKyzD,MAAMnqD,EAAKjE,OAChB,MACF,KAAKo+D,EAASjB,QACZxiE,KAAK2zD,QAAQrqD,EAAKjE,OAClB,MACF,KAAKo+D,EAASxB,QAGZ,IAAK2J,KAFL98B,EAAa,CAAC,EACdo5B,EAAO5+D,EAAKuiE,QAELxO,EAAQn8D,KAAKgnE,EAAM0D,KACxB1N,EAAMgK,EAAK0D,GACX98B,EAAW88B,GAAW1N,EAAI74D,OAE5BrF,KAAKsJ,KAAKA,EAAKtI,KAAM8tC,GACrB,MACF,KAAK20B,EAASR,MACZjjE,KAAK8rE,QACL,MACF,KAAKrI,EAASX,IACZ9iE,KAAK2E,IAAI2E,EAAKjE,OACd,MACF,KAAKo+D,EAAStB,KACZniE,KAAKqQ,KAAK/G,EAAKjE,OACf,MACF,KAAKo+D,EAASlB,sBACZviE,KAAK+rE,YAAYziE,EAAKtF,OAAQsF,EAAKjE,OACnC,MACF,QACE,MAAM,IAAIyG,MAAM,uDAAyDxC,EAAKzF,YAAY7C,MAG9F,IAAKQ,EAAI,EAAGa,GADZ8lE,EAAO7+D,EAAKya,UACWriB,OAAQF,EAAIa,EAAKb,IACtC+rB,EAAQ46C,EAAK3mE,GACbxB,KAAK2rE,gBAAgBp+C,GACjBA,EAAMziB,OAAS24D,EAASxB,SAC1BjiE,KAAKi+D,KAGT,OAAOj+D,IACT,EAEAirE,EAAczrE,UAAUssE,MAAQ,WAC9B,OAAO9rE,IACT,EAEAirE,EAAczrE,UAAU8J,KAAO,SAAStI,EAAM8tC,EAAYz+B,GACxD,IAAI63D,EACJ,GAAY,MAARlnE,EACF,MAAM,IAAI8K,MAAM,sBAElB,GAAI9L,KAAKyrC,OAA+B,IAAvBzrC,KAAKurE,aACpB,MAAM,IAAIz/D,MAAM,yCAA2C9L,KAAK2jE,UAAU3iE,IAkB5E,OAhBAhB,KAAKgsE,cACLhrE,EAAOkiE,EAASliE,GACE,MAAd8tC,IACFA,EAAa,CAAC,GAEhBA,EAAao0B,EAASp0B,GACjB3c,EAAS2c,KACez+B,GAA3B63D,EAAO,CAACp5B,EAAYz+B,IAAmB,GAAIy+B,EAAao5B,EAAK,IAE/DloE,KAAKsrE,YAAc,IAAIT,EAAW7qE,KAAMgB,EAAM8tC,GAC9C9uC,KAAKsrE,YAAYvnD,UAAW,EAC5B/jB,KAAKurE,eACLvrE,KAAKwrE,SAASxrE,KAAKurE,cAAgBvrE,KAAKsrE,YAC5B,MAARj7D,GACFrQ,KAAKqQ,KAAKA,GAELrQ,IACT,EAEAirE,EAAczrE,UAAUqqC,QAAU,SAAS7oC,EAAM8tC,EAAYz+B,GAC3D,IAAIkd,EAAO/rB,EAAGa,EAAK4pE,EAAmB/D,EAAMz8B,EAC5C,GAAIzrC,KAAKsrE,aAAetrE,KAAKsrE,YAAYxgE,OAAS24D,EAASf,QACzD1iE,KAAK2mE,WAAWlkE,MAAMzC,KAAMsC,gBAE5B,GAAIV,MAAM6L,QAAQzM,IAASmxB,EAASnxB,IAASinC,EAAWjnC,GAOtD,IANAirE,EAAoBjsE,KAAK8T,QAAQo4D,aACjClsE,KAAK8T,QAAQo4D,cAAe,GAC5BzgC,EAAO,IAAIq9B,EAAY9oE,KAAK8T,SAAS+1B,QAAQ,cACxCA,QAAQ7oC,GACbhB,KAAK8T,QAAQo4D,aAAeD,EAEvBzqE,EAAI,EAAGa,GADZ6lE,EAAOz8B,EAAK1nB,UACWriB,OAAQF,EAAIa,EAAKb,IACtC+rB,EAAQ26C,EAAK1mE,GACbxB,KAAK2rE,gBAAgBp+C,GACjBA,EAAMziB,OAAS24D,EAASxB,SAC1BjiE,KAAKi+D,UAITj+D,KAAKsJ,KAAKtI,EAAM8tC,EAAYz+B,GAGhC,OAAOrQ,IACT,EAEAirE,EAAczrE,UAAU+yC,UAAY,SAASvxC,EAAMqE,GACjD,IAAIumE,EAAShI,EACb,IAAK5jE,KAAKsrE,aAAetrE,KAAKsrE,YAAYvnD,SACxC,MAAM,IAAIjY,MAAM,4EAA8E9L,KAAK2jE,UAAU3iE,IAK/G,GAHY,MAARA,IACFA,EAAOkiE,EAASliE,IAEdmxB,EAASnxB,GACX,IAAK4qE,KAAW5qE,EACTq8D,EAAQn8D,KAAKF,EAAM4qE,KACxBhI,EAAW5iE,EAAK4qE,GAChB5rE,KAAKuyC,UAAUq5B,EAAShI,SAGtB37B,EAAW5iC,KACbA,EAAQA,EAAM5C,SAEZzC,KAAK8T,QAAQq4D,oBAAgC,MAAT9mE,EACtCrF,KAAKsrE,YAAYO,QAAQ7qE,GAAQ,IAAI0iE,EAAa1jE,KAAMgB,EAAM,IAC5C,MAATqE,IACTrF,KAAKsrE,YAAYO,QAAQ7qE,GAAQ,IAAI0iE,EAAa1jE,KAAMgB,EAAMqE,IAGlE,OAAOrF,IACT,EAEAirE,EAAczrE,UAAU6Q,KAAO,SAAShL,GACtC,IAAIiE,EAIJ,OAHAtJ,KAAKgsE,cACL1iE,EAAO,IAAI0hE,EAAQhrE,KAAMqF,GACzBrF,KAAKkrE,OAAOlrE,KAAK+jE,OAAO1zD,KAAK/G,EAAMtJ,KAAKkpE,cAAelpE,KAAKurE,aAAe,GAAIvrE,KAAKurE,aAAe,GAC5FvrE,IACT,EAEAirE,EAAczrE,UAAUi0D,MAAQ,SAASpuD,GACvC,IAAIiE,EAIJ,OAHAtJ,KAAKgsE,cACL1iE,EAAO,IAAI+6D,EAASrkE,KAAMqF,GAC1BrF,KAAKkrE,OAAOlrE,KAAK+jE,OAAOtQ,MAAMnqD,EAAMtJ,KAAKkpE,cAAelpE,KAAKurE,aAAe,GAAIvrE,KAAKurE,aAAe,GAC7FvrE,IACT,EAEAirE,EAAczrE,UAAUm0D,QAAU,SAAStuD,GACzC,IAAIiE,EAIJ,OAHAtJ,KAAKgsE,cACL1iE,EAAO,IAAIw7D,EAAW9kE,KAAMqF,GAC5BrF,KAAKkrE,OAAOlrE,KAAK+jE,OAAOpQ,QAAQrqD,EAAMtJ,KAAKkpE,cAAelpE,KAAKurE,aAAe,GAAIvrE,KAAKurE,aAAe,GAC/FvrE,IACT,EAEAirE,EAAczrE,UAAUmF,IAAM,SAASU,GACrC,IAAIiE,EAIJ,OAHAtJ,KAAKgsE,cACL1iE,EAAO,IAAIyhE,EAAO/qE,KAAMqF,GACxBrF,KAAKkrE,OAAOlrE,KAAK+jE,OAAOp/D,IAAI2E,EAAMtJ,KAAKkpE,cAAelpE,KAAKurE,aAAe,GAAIvrE,KAAKurE,aAAe,GAC3FvrE,IACT,EAEAirE,EAAczrE,UAAUusE,YAAc,SAAS/nE,EAAQqB,GACrD,IAAI7D,EAAG4qE,EAAWC,EAAUhqE,EAAKiH,EAQjC,GAPAtJ,KAAKgsE,cACS,MAAVhoE,IACFA,EAASk/D,EAASl/D,IAEP,MAATqB,IACFA,EAAQ69D,EAAS79D,IAEfzD,MAAM6L,QAAQzJ,GAChB,IAAKxC,EAAI,EAAGa,EAAM2B,EAAOtC,OAAQF,EAAIa,EAAKb,IACxC4qE,EAAYpoE,EAAOxC,GACnBxB,KAAK+rE,YAAYK,QAEd,GAAIj6C,EAASnuB,GAClB,IAAKooE,KAAapoE,EACXq5D,EAAQn8D,KAAK8C,EAAQooE,KAC1BC,EAAWroE,EAAOooE,GAClBpsE,KAAK+rE,YAAYK,EAAWC,SAG1BpkC,EAAW5iC,KACbA,EAAQA,EAAM5C,SAEhB6G,EAAO,IAAIwhE,EAAyB9qE,KAAMgE,EAAQqB,GAClDrF,KAAKkrE,OAAOlrE,KAAK+jE,OAAOuI,sBAAsBhjE,EAAMtJ,KAAKkpE,cAAelpE,KAAKurE,aAAe,GAAIvrE,KAAKurE,aAAe,GAEtH,OAAOvrE,IACT,EAEAirE,EAAczrE,UAAUuoE,YAAc,SAAS9rC,EAASyrC,EAAUC,GAChE,IAAIr+D,EAEJ,GADAtJ,KAAKgsE,cACDhsE,KAAKyrE,gBACP,MAAM,IAAI3/D,MAAM,yCAIlB,OAFAxC,EAAO,IAAIm+D,EAAeznE,KAAMi8B,EAASyrC,EAAUC,GACnD3nE,KAAKkrE,OAAOlrE,KAAK+jE,OAAOgE,YAAYz+D,EAAMtJ,KAAKkpE,cAAelpE,KAAKurE,aAAe,GAAIvrE,KAAKurE,aAAe,GACnGvrE,IACT,EAEAirE,EAAczrE,UAAUq0D,QAAU,SAASpoB,EAAMq7B,EAAOC,GAEtD,GADA/mE,KAAKgsE,cACO,MAARvgC,EACF,MAAM,IAAI3/B,MAAM,2BAElB,GAAI9L,KAAKyrC,KACP,MAAM,IAAI3/B,MAAM,yCAOlB,OALA9L,KAAKsrE,YAAc,IAAIrD,EAAWjoE,KAAM8mE,EAAOC,GAC/C/mE,KAAKsrE,YAAYiB,aAAe9gC,EAChCzrC,KAAKsrE,YAAYvnD,UAAW,EAC5B/jB,KAAKurE,eACLvrE,KAAKwrE,SAASxrE,KAAKurE,cAAgBvrE,KAAKsrE,YACjCtrE,IACT,EAEAirE,EAAczrE,UAAUmnE,WAAa,SAAS3lE,EAAMqE,GAClD,IAAIiE,EAIJ,OAHAtJ,KAAKgsE,cACL1iE,EAAO,IAAIm9D,EAAczmE,KAAMgB,EAAMqE,GACrCrF,KAAKkrE,OAAOlrE,KAAK+jE,OAAO4C,WAAWr9D,EAAMtJ,KAAKkpE,cAAelpE,KAAKurE,aAAe,GAAIvrE,KAAKurE,aAAe,GAClGvrE,IACT,EAEAirE,EAAczrE,UAAU6oE,QAAU,SAASnC,EAAaC,EAAeC,EAAeC,EAAkB9hE,GACtG,IAAI+E,EAIJ,OAHAtJ,KAAKgsE,cACL1iE,EAAO,IAAI28D,EAAcjmE,KAAMkmE,EAAaC,EAAeC,EAAeC,EAAkB9hE,GAC5FvE,KAAKkrE,OAAOlrE,KAAK+jE,OAAOyC,WAAWl9D,EAAMtJ,KAAKkpE,cAAelpE,KAAKurE,aAAe,GAAIvrE,KAAKurE,aAAe,GAClGvrE,IACT,EAEAirE,EAAczrE,UAAU22D,OAAS,SAASn1D,EAAMqE,GAC9C,IAAIiE,EAIJ,OAHAtJ,KAAKgsE,cACL1iE,EAAO,IAAIs9D,EAAa5mE,MAAM,EAAOgB,EAAMqE,GAC3CrF,KAAKkrE,OAAOlrE,KAAK+jE,OAAOuD,UAAUh+D,EAAMtJ,KAAKkpE,cAAelpE,KAAKurE,aAAe,GAAIvrE,KAAKurE,aAAe,GACjGvrE,IACT,EAEAirE,EAAczrE,UAAU8oE,QAAU,SAAStnE,EAAMqE,GAC/C,IAAIiE,EAIJ,OAHAtJ,KAAKgsE,cACL1iE,EAAO,IAAIs9D,EAAa5mE,MAAM,EAAMgB,EAAMqE,GAC1CrF,KAAKkrE,OAAOlrE,KAAK+jE,OAAOuD,UAAUh+D,EAAMtJ,KAAKkpE,cAAelpE,KAAKurE,aAAe,GAAIvrE,KAAKurE,aAAe,GACjGvrE,IACT,EAEAirE,EAAczrE,UAAU+oE,SAAW,SAASvnE,EAAMqE,GAChD,IAAIiE,EAIJ,OAHAtJ,KAAKgsE,cACL1iE,EAAO,IAAIi+D,EAAevnE,KAAMgB,EAAMqE,GACtCrF,KAAKkrE,OAAOlrE,KAAK+jE,OAAOyD,YAAYl+D,EAAMtJ,KAAKkpE,cAAelpE,KAAKurE,aAAe,GAAIvrE,KAAKurE,aAAe,GACnGvrE,IACT,EAEAirE,EAAczrE,UAAUy+D,GAAK,WAC3B,GAAIj+D,KAAKurE,aAAe,EACtB,MAAM,IAAIz/D,MAAM,oCAclB,OAZI9L,KAAKsrE,aACHtrE,KAAKsrE,YAAYvnD,SACnB/jB,KAAKwsE,UAAUxsE,KAAKsrE,aAEpBtrE,KAAKysE,SAASzsE,KAAKsrE,aAErBtrE,KAAKsrE,YAAc,MAEnBtrE,KAAKwsE,UAAUxsE,KAAKwrE,SAASxrE,KAAKurE,sBAE7BvrE,KAAKwrE,SAASxrE,KAAKurE,cAC1BvrE,KAAKurE,eACEvrE,IACT,EAEAirE,EAAczrE,UAAU0pB,IAAM,WAC5B,KAAOlpB,KAAKurE,cAAgB,GAC1BvrE,KAAKi+D,KAEP,OAAOj+D,KAAKmrE,OACd,EAEAF,EAAczrE,UAAUwsE,YAAc,WACpC,GAAIhsE,KAAKsrE,YAEP,OADAtrE,KAAKsrE,YAAYvnD,UAAW,EACrB/jB,KAAKysE,SAASzsE,KAAKsrE,YAE9B,EAEAL,EAAczrE,UAAUitE,SAAW,SAASnjE,GAC1C,IAAI40D,EAAK32B,EAAOvmC,EAAMknE,EACtB,IAAK5+D,EAAKojE,OAAQ,CAKhB,GAJK1sE,KAAKyrC,MAA8B,IAAtBzrC,KAAKurE,cAAsBjiE,EAAKwB,OAAS24D,EAASxB,UAClEjiE,KAAKyrC,KAAOniC,GAEdi+B,EAAQ,GACJj+B,EAAKwB,OAAS24D,EAASxB,QAAS,CAIlC,IAAKjhE,KAHLhB,KAAKkpE,cAAct8D,MAAQg+D,EAAYtH,QACvC/7B,EAAQvnC,KAAK+jE,OAAO4I,OAAOrjE,EAAMtJ,KAAKkpE,cAAelpE,KAAKurE,cAAgB,IAAMjiE,EAAKtI,KACrFknE,EAAO5+D,EAAKuiE,QAELxO,EAAQn8D,KAAKgnE,EAAMlnE,KACxBk9D,EAAMgK,EAAKlnE,GACXumC,GAASvnC,KAAK+jE,OAAOxxB,UAAU2rB,EAAKl+D,KAAKkpE,cAAelpE,KAAKurE,eAE/DhkC,IAAUj+B,EAAKya,SAAW,IAAM,MAAQ/jB,KAAK+jE,OAAO6I,QAAQtjE,EAAMtJ,KAAKkpE,cAAelpE,KAAKurE,cAC3FvrE,KAAKkpE,cAAct8D,MAAQg+D,EAAYrH,SACzC,MACEvjE,KAAKkpE,cAAct8D,MAAQg+D,EAAYtH,QACvC/7B,EAAQvnC,KAAK+jE,OAAO4I,OAAOrjE,EAAMtJ,KAAKkpE,cAAelpE,KAAKurE,cAAgB,aAAejiE,EAAKijE,aAC1FjjE,EAAKw9D,OAASx9D,EAAKy9D,MACrBx/B,GAAS,YAAcj+B,EAAKw9D,MAAQ,MAAQx9D,EAAKy9D,MAAQ,IAChDz9D,EAAKy9D,QACdx/B,GAAS,YAAcj+B,EAAKy9D,MAAQ,KAElCz9D,EAAKya,UACPwjB,GAAS,KACTvnC,KAAKkpE,cAAct8D,MAAQg+D,EAAYrH,YAEvCvjE,KAAKkpE,cAAct8D,MAAQg+D,EAAYpH,SACvCj8B,GAAS,KAEXA,GAASvnC,KAAK+jE,OAAO6I,QAAQtjE,EAAMtJ,KAAKkpE,cAAelpE,KAAKurE,cAG9D,OADAvrE,KAAKkrE,OAAO3jC,EAAOvnC,KAAKurE,cACjBjiE,EAAKojE,QAAS,CACvB,CACF,EAEAzB,EAAczrE,UAAUgtE,UAAY,SAASljE,GAC3C,IAAIi+B,EACJ,IAAKj+B,EAAKujE,SAUR,MATQ,GACR7sE,KAAKkpE,cAAct8D,MAAQg+D,EAAYpH,SAErCj8B,EADEj+B,EAAKwB,OAAS24D,EAASxB,QACjBjiE,KAAK+jE,OAAO4I,OAAOrjE,EAAMtJ,KAAKkpE,cAAelpE,KAAKurE,cAAgB,KAAOjiE,EAAKtI,KAAO,IAAMhB,KAAK+jE,OAAO6I,QAAQtjE,EAAMtJ,KAAKkpE,cAAelpE,KAAKurE,cAE9IvrE,KAAK+jE,OAAO4I,OAAOrjE,EAAMtJ,KAAKkpE,cAAelpE,KAAKurE,cAAgB,KAAOvrE,KAAK+jE,OAAO6I,QAAQtjE,EAAMtJ,KAAKkpE,cAAelpE,KAAKurE,cAEtIvrE,KAAKkpE,cAAct8D,MAAQg+D,EAAYvH,KACvCrjE,KAAKkrE,OAAO3jC,EAAOvnC,KAAKurE,cACjBjiE,EAAKujE,UAAW,CAE3B,EAEA5B,EAAczrE,UAAU0rE,OAAS,SAAS3jC,EAAOulC,GAE/C,OADA9sE,KAAKyrE,iBAAkB,EAChBzrE,KAAKorE,eAAe7jC,EAAOulC,EAAQ,EAC5C,EAEA7B,EAAczrE,UAAU2rE,MAAQ,WAE9B,OADAnrE,KAAK0rE,mBAAoB,EAClB1rE,KAAKqrE,eACd,EAEAJ,EAAczrE,UAAUmkE,UAAY,SAAS3iE,GAC3C,OAAY,MAARA,EACK,GAEA,UAAYA,EAAO,GAE9B,EAEAiqE,EAAczrE,UAAUw+D,IAAM,WAC5B,OAAOh+D,KAAK6pC,QAAQpnC,MAAMzC,KAAMsC,UAClC,EAEA2oE,EAAczrE,UAAUutE,IAAM,SAAS/rE,EAAM8tC,EAAYz+B,GACvD,OAAOrQ,KAAKsJ,KAAKtI,EAAM8tC,EAAYz+B,EACrC,EAEA46D,EAAczrE,UAAUu+D,IAAM,SAAS14D,GACrC,OAAOrF,KAAKqQ,KAAKhL,EACnB,EAEA4lE,EAAczrE,UAAUwtE,IAAM,SAAS3nE,GACrC,OAAOrF,KAAKyzD,MAAMpuD,EACpB,EAEA4lE,EAAczrE,UAAUytE,IAAM,SAAS5nE,GACrC,OAAOrF,KAAK2zD,QAAQtuD,EACtB,EAEA4lE,EAAczrE,UAAU0tE,IAAM,SAASlpE,EAAQqB,GAC7C,OAAOrF,KAAK+rE,YAAY/nE,EAAQqB,EAClC,EAEA4lE,EAAczrE,UAAU2tE,IAAM,SAASlxC,EAASyrC,EAAUC,GACxD,OAAO3nE,KAAK+nE,YAAY9rC,EAASyrC,EAAUC,EAC7C,EAEAsD,EAAczrE,UAAU4tE,IAAM,SAAS3hC,EAAMq7B,EAAOC,GAClD,OAAO/mE,KAAK6zD,QAAQpoB,EAAMq7B,EAAOC,EACnC,EAEAkE,EAAczrE,UAAUyF,EAAI,SAASjE,EAAM8tC,EAAYz+B,GACrD,OAAOrQ,KAAK6pC,QAAQ7oC,EAAM8tC,EAAYz+B,EACxC,EAEA46D,EAAczrE,UAAUg5B,EAAI,SAASx3B,EAAM8tC,EAAYz+B,GACrD,OAAOrQ,KAAKsJ,KAAKtI,EAAM8tC,EAAYz+B,EACrC,EAEA46D,EAAczrE,UAAU8gC,EAAI,SAASj7B,GACnC,OAAOrF,KAAKqQ,KAAKhL,EACnB,EAEA4lE,EAAczrE,UAAUw7D,EAAI,SAAS31D,GACnC,OAAOrF,KAAKyzD,MAAMpuD,EACpB,EAEA4lE,EAAczrE,UAAUohB,EAAI,SAASvb,GACnC,OAAOrF,KAAK2zD,QAAQtuD,EACtB,EAEA4lE,EAAczrE,UAAU6tE,EAAI,SAAShoE,GACnC,OAAOrF,KAAK2E,IAAIU,EAClB,EAEA4lE,EAAczrE,UAAUgC,EAAI,SAASwC,EAAQqB,GAC3C,OAAOrF,KAAK+rE,YAAY/nE,EAAQqB,EAClC,EAEA4lE,EAAczrE,UAAU0+D,IAAM,WAC5B,OAAIl+D,KAAKsrE,aAAetrE,KAAKsrE,YAAYxgE,OAAS24D,EAASf,QAClD1iE,KAAKqoE,QAAQ5lE,MAAMzC,KAAMsC,WAEzBtC,KAAKuyC,UAAU9vC,MAAMzC,KAAMsC,UAEtC,EAEA2oE,EAAczrE,UAAU0K,EAAI,WAC1B,OAAIlK,KAAKsrE,aAAetrE,KAAKsrE,YAAYxgE,OAAS24D,EAASf,QAClD1iE,KAAKqoE,QAAQ5lE,MAAMzC,KAAMsC,WAEzBtC,KAAKuyC,UAAU9vC,MAAMzC,KAAMsC,UAEtC,EAEA2oE,EAAczrE,UAAUipE,IAAM,SAASznE,EAAMqE,GAC3C,OAAOrF,KAAKm2D,OAAOn1D,EAAMqE,EAC3B,EAEA4lE,EAAczrE,UAAUkpE,KAAO,SAAS1nE,EAAMqE,GAC5C,OAAOrF,KAAKsoE,QAAQtnE,EAAMqE,EAC5B,EAEA4lE,EAAczrE,UAAUmpE,IAAM,SAAS3nE,EAAMqE,GAC3C,OAAOrF,KAAKuoE,SAASvnE,EAAMqE,EAC7B,EAEO4lE,CAER,CAlegC,EAoelC,GAAE/pE,KAAKlB,8BC9gBR,WACE,IAAIyjE,EAAoBa,EAEtBjH,EAAU,CAAC,EAAE59D,eAEf6kE,EAAU,EAAQ,OAElBb,EAAW,EAAQ,OAEnB1gE,EAAOC,QAAqB,SAAU48D,GAGpC,SAAS0N,EAAS9qD,GAChB8qD,EAASpN,UAAUr8D,YAAY3C,KAAKlB,KAAMwiB,GAC1CxiB,KAAK8K,KAAO24D,EAASR,KACvB,CAUA,OAvBS,SAAS11C,EAAO/K,GAAU,IAAK,IAAI3V,KAAO2V,EAAc66C,EAAQn8D,KAAKshB,EAAQ3V,KAAM0gB,EAAM1gB,GAAO2V,EAAO3V,IAAQ,SAASozD,IAASjgE,KAAK6D,YAAc0pB,CAAO,CAAE0yC,EAAKzgE,UAAYgjB,EAAOhjB,UAAW+tB,EAAM/tB,UAAY,IAAIygE,EAAQ1yC,EAAM2yC,UAAY19C,EAAOhjB,SAAyB,CAQzRihB,CAAO6sD,EAAU1N,GAOjB0N,EAAS9tE,UAAUsiB,MAAQ,WACzB,OAAOviB,OAAOqB,OAAOZ,KACvB,EAEAstE,EAAS9tE,UAAUkI,SAAW,SAASoM,GACrC,MAAO,EACT,EAEOw5D,CAER,CAlB2B,CAkBzBhJ,EAEJ,GAAEpjE,KAAKlB,8BC7BR,WACE,IAAIyjE,EAAUC,EAA0BsE,EAAiB1D,EAASpB,EAAUj7B,EAAY9V,EAAUla,EAEhGolD,EAAU,CAAC,EAAE59D,eAEfwY,EAAM,EAAQ,OAAcka,EAAWla,EAAIka,SAAU8V,EAAahwB,EAAIgwB,WAAYi7B,EAAWjrD,EAAIirD,SAEjGoB,EAAU,EAAQ,OAElBb,EAAW,EAAQ,OAEnBC,EAAe,EAAQ,OAEvBsE,EAAkB,EAAQ,OAE1BjlE,EAAOC,QAAuB,SAAU48D,GAGtC,SAASiL,EAAWroD,EAAQxhB,EAAM8tC,GAChC,IAAIvhB,EAAO7qB,EAAGL,EAAK6lE,EAEnB,GADA2C,EAAW3K,UAAUr8D,YAAY3C,KAAKlB,KAAMwiB,GAChC,MAARxhB,EACF,MAAM,IAAI8K,MAAM,yBAA2B9L,KAAK2jE,aASlD,GAPA3jE,KAAKgB,KAAOhB,KAAKuF,UAAUvE,KAAKA,GAChChB,KAAK8K,KAAO24D,EAASxB,QACrBjiE,KAAK6rE,QAAU,CAAC,EAChB7rE,KAAK8jE,eAAiB,KACJ,MAAdh1B,GACF9uC,KAAKuyC,UAAUzD,GAEbtsB,EAAO1X,OAAS24D,EAAShB,WAC3BziE,KAAKutE,QAAS,EACdvtE,KAAKooE,eAAiB5lD,EACtBA,EAAOymD,WAAajpE,KAChBwiB,EAAOuB,UAET,IAAKrhB,EAAI,EAAGL,GADZ6lE,EAAO1lD,EAAOuB,UACSriB,OAAQgB,EAAIL,EAAKK,IAEtC,IADA6qB,EAAQ26C,EAAKxlE,IACHoI,OAAS24D,EAASf,QAAS,CACnCn1C,EAAMvsB,KAAOhB,KAAKgB,KAClB,KACF,CAIR,CAsPA,OAlSS,SAASusB,EAAO/K,GAAU,IAAK,IAAI3V,KAAO2V,EAAc66C,EAAQn8D,KAAKshB,EAAQ3V,KAAM0gB,EAAM1gB,GAAO2V,EAAO3V,IAAQ,SAASozD,IAASjgE,KAAK6D,YAAc0pB,CAAO,CAAE0yC,EAAKzgE,UAAYgjB,EAAOhjB,UAAW+tB,EAAM/tB,UAAY,IAAIygE,EAAQ1yC,EAAM2yC,UAAY19C,EAAOhjB,SAAyB,CAczRihB,CAAOoqD,EAAYjL,GAgCnBrgE,OAAOua,eAAe+wD,EAAWrrE,UAAW,UAAW,CACrDuG,IAAK,WACH,OAAO/F,KAAKgB,IACd,IAGFzB,OAAOua,eAAe+wD,EAAWrrE,UAAW,eAAgB,CAC1DuG,IAAK,WACH,MAAO,EACT,IAGFxG,OAAOua,eAAe+wD,EAAWrrE,UAAW,SAAU,CACpDuG,IAAK,WACH,MAAO,EACT,IAGFxG,OAAOua,eAAe+wD,EAAWrrE,UAAW,YAAa,CACvDuG,IAAK,WACH,OAAO/F,KAAKgB,IACd,IAGFzB,OAAOua,eAAe+wD,EAAWrrE,UAAW,KAAM,CAChDuG,IAAK,WACH,MAAM,IAAI+F,MAAM,sCAAwC9L,KAAK2jE,YAC/D,IAGFpkE,OAAOua,eAAe+wD,EAAWrrE,UAAW,YAAa,CACvDuG,IAAK,WACH,MAAM,IAAI+F,MAAM,sCAAwC9L,KAAK2jE,YAC/D,IAGFpkE,OAAOua,eAAe+wD,EAAWrrE,UAAW,YAAa,CACvDuG,IAAK,WACH,MAAM,IAAI+F,MAAM,sCAAwC9L,KAAK2jE,YAC/D,IAGFpkE,OAAOua,eAAe+wD,EAAWrrE,UAAW,aAAc,CACxDuG,IAAK,WAIH,OAHK/F,KAAKwtE,cAAiBxtE,KAAKwtE,aAAahiC,QAC3CxrC,KAAKwtE,aAAe,IAAIxF,EAAgBhoE,KAAK6rE,UAExC7rE,KAAKwtE,YACd,IAGF3C,EAAWrrE,UAAUsiB,MAAQ,WAC3B,IAAIo8C,EAAK0N,EAAS6B,EAAYvF,EAO9B,IAAK0D,KANL6B,EAAaluE,OAAOqB,OAAOZ,OACZutE,SACbE,EAAWrF,eAAiB,MAE9BqF,EAAW5B,QAAU,CAAC,EACtB3D,EAAOloE,KAAK6rE,QAELxO,EAAQn8D,KAAKgnE,EAAM0D,KACxB1N,EAAMgK,EAAK0D,GACX6B,EAAW5B,QAAQD,GAAW1N,EAAIp8C,SASpC,OAPA2rD,EAAW1pD,SAAW,GACtB/jB,KAAK+jB,SAAS5S,SAAQ,SAASoc,GAC7B,IAAImgD,EAGJ,OAFAA,EAAcngD,EAAMzL,SACRU,OAASirD,EACdA,EAAW1pD,SAASvjB,KAAKktE,EAClC,IACOD,CACT,EAEA5C,EAAWrrE,UAAU+yC,UAAY,SAASvxC,EAAMqE,GAC9C,IAAIumE,EAAShI,EAIb,GAHY,MAAR5iE,IACFA,EAAOkiE,EAASliE,IAEdmxB,EAASnxB,GACX,IAAK4qE,KAAW5qE,EACTq8D,EAAQn8D,KAAKF,EAAM4qE,KACxBhI,EAAW5iE,EAAK4qE,GAChB5rE,KAAKuyC,UAAUq5B,EAAShI,SAGtB37B,EAAW5iC,KACbA,EAAQA,EAAM5C,SAEZzC,KAAK8T,QAAQq4D,oBAAgC,MAAT9mE,EACtCrF,KAAK6rE,QAAQ7qE,GAAQ,IAAI0iE,EAAa1jE,KAAMgB,EAAM,IAChC,MAATqE,IACTrF,KAAK6rE,QAAQ7qE,GAAQ,IAAI0iE,EAAa1jE,KAAMgB,EAAMqE,IAGtD,OAAOrF,IACT,EAEA6qE,EAAWrrE,UAAUmuE,gBAAkB,SAAS3sE,GAC9C,IAAI4qE,EAASlpE,EAAGL,EAChB,GAAY,MAARrB,EACF,MAAM,IAAI8K,MAAM,2BAA6B9L,KAAK2jE,aAGpD,GADA3iE,EAAOkiE,EAASliE,GACZY,MAAM6L,QAAQzM,GAChB,IAAK0B,EAAI,EAAGL,EAAMrB,EAAKU,OAAQgB,EAAIL,EAAKK,IACtCkpE,EAAU5qE,EAAK0B,UACR1C,KAAK6rE,QAAQD,eAGf5rE,KAAK6rE,QAAQ7qE,GAEtB,OAAOhB,IACT,EAEA6qE,EAAWrrE,UAAUkI,SAAW,SAASoM,GACvC,OAAO9T,KAAK8T,QAAQiwD,OAAOl6B,QAAQ7pC,KAAMA,KAAK8T,QAAQiwD,OAAOC,cAAclwD,GAC7E,EAEA+2D,EAAWrrE,UAAU0+D,IAAM,SAASl9D,EAAMqE,GACxC,OAAOrF,KAAKuyC,UAAUvxC,EAAMqE,EAC9B,EAEAwlE,EAAWrrE,UAAU0K,EAAI,SAASlJ,EAAMqE,GACtC,OAAOrF,KAAKuyC,UAAUvxC,EAAMqE,EAC9B,EAEAwlE,EAAWrrE,UAAU6tB,aAAe,SAASrsB,GAC3C,OAAIhB,KAAK6rE,QAAQpsE,eAAeuB,GACvBhB,KAAK6rE,QAAQ7qE,GAAMqE,MAEnB,IAEX,EAEAwlE,EAAWrrE,UAAUy8C,aAAe,SAASj7C,EAAMqE,GACjD,MAAM,IAAIyG,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAkH,EAAWrrE,UAAUouE,iBAAmB,SAAS5sE,GAC/C,OAAIhB,KAAK6rE,QAAQpsE,eAAeuB,GACvBhB,KAAK6rE,QAAQ7qE,GAEb,IAEX,EAEA6pE,EAAWrrE,UAAUquE,iBAAmB,SAASC,GAC/C,MAAM,IAAIhiE,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAkH,EAAWrrE,UAAUuuE,oBAAsB,SAASC,GAClD,MAAM,IAAIliE,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAkH,EAAWrrE,UAAUkqE,qBAAuB,SAAS1oE,GACnD,MAAM,IAAI8K,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAkH,EAAWrrE,UAAUyuE,eAAiB,SAAS/J,EAAcC,GAC3D,MAAM,IAAIr4D,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAkH,EAAWrrE,UAAU0uE,eAAiB,SAAShK,EAAcyB,EAAetgE,GAC1E,MAAM,IAAIyG,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAkH,EAAWrrE,UAAU2uE,kBAAoB,SAASjK,EAAcC,GAC9D,MAAM,IAAIr4D,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAkH,EAAWrrE,UAAU4uE,mBAAqB,SAASlK,EAAcC,GAC/D,MAAM,IAAIr4D,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAkH,EAAWrrE,UAAU6uE,mBAAqB,SAASP,GACjD,MAAM,IAAIhiE,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAkH,EAAWrrE,UAAUwqE,uBAAyB,SAAS9F,EAAcC,GACnE,MAAM,IAAIr4D,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAkH,EAAWrrE,UAAU8uE,aAAe,SAASttE,GAC3C,OAAOhB,KAAK6rE,QAAQpsE,eAAeuB,EACrC,EAEA6pE,EAAWrrE,UAAU+uE,eAAiB,SAASrK,EAAcC,GAC3D,MAAM,IAAIr4D,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAkH,EAAWrrE,UAAUgvE,eAAiB,SAASxtE,EAAM6iE,GACnD,OAAI7jE,KAAK6rE,QAAQpsE,eAAeuB,GACvBhB,KAAK6rE,QAAQ7qE,GAAM6iE,KAEnBA,CAEX,EAEAgH,EAAWrrE,UAAUivE,iBAAmB,SAASvK,EAAcC,EAAWN,GACxE,MAAM,IAAI/3D,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAkH,EAAWrrE,UAAUkvE,mBAAqB,SAASC,EAAQ9K,GACzD,MAAM,IAAI/3D,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAkH,EAAWrrE,UAAUkqE,qBAAuB,SAASC,GACnD,MAAM,IAAI79D,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAkH,EAAWrrE,UAAUwqE,uBAAyB,SAAS9F,EAAcC,GACnE,MAAM,IAAIr4D,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAkH,EAAWrrE,UAAU6qE,uBAAyB,SAASC,GACrD,MAAM,IAAIx+D,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAkH,EAAWrrE,UAAUykE,YAAc,SAAS36D,GAC1C,IAAI9H,EAAGkB,EAAGwlE,EACV,IAAK2C,EAAW3K,UAAU+D,YAAYxhE,MAAMzC,KAAMsC,WAAW2hE,YAAY36D,GACvE,OAAO,EAET,GAAIA,EAAK46D,eAAiBlkE,KAAKkkE,aAC7B,OAAO,EAET,GAAI56D,EAAK5J,SAAWM,KAAKN,OACvB,OAAO,EAET,GAAI4J,EAAK66D,YAAcnkE,KAAKmkE,UAC1B,OAAO,EAET,GAAI76D,EAAKuiE,QAAQnqE,SAAW1B,KAAK6rE,QAAQnqE,OACvC,OAAO,EAET,IAAKF,EAAIkB,EAAI,EAAGwlE,EAAOloE,KAAK6rE,QAAQnqE,OAAS,EAAG,GAAKwmE,EAAOxlE,GAAKwlE,EAAOxlE,GAAKwlE,EAAM1mE,EAAI,GAAK0mE,IAASxlE,IAAMA,EACzG,IAAK1C,KAAK6rE,QAAQrqE,GAAGyiE,YAAY36D,EAAKuiE,QAAQrqE,IAC5C,OAAO,EAGX,OAAO,CACT,EAEOqpE,CAER,CAvR6B,CAuR3BvG,EAEJ,GAAEpjE,KAAKlB,0BCxSR,WAGE+C,EAAOC,QAA4B,WACjC,SAASglE,EAAgBx8B,GACvBxrC,KAAKwrC,MAAQA,CACf,CA8CA,OA5CAjsC,OAAOua,eAAekuD,EAAgBxoE,UAAW,SAAU,CACzDuG,IAAK,WACH,OAAOxG,OAAO6G,KAAKpG,KAAKwrC,OAAO9pC,QAAU,CAC3C,IAGFsmE,EAAgBxoE,UAAUsiB,MAAQ,WAChC,OAAO9hB,KAAKwrC,MAAQ,IACtB,EAEAw8B,EAAgBxoE,UAAUovE,aAAe,SAAS5tE,GAChD,OAAOhB,KAAKwrC,MAAMxqC,EACpB,EAEAgnE,EAAgBxoE,UAAUqvE,aAAe,SAASvlE,GAChD,IAAIwlE,EAGJ,OAFAA,EAAU9uE,KAAKwrC,MAAMliC,EAAKy3D,UAC1B/gE,KAAKwrC,MAAMliC,EAAKy3D,UAAYz3D,EACrBwlE,GAAW,IACpB,EAEA9G,EAAgBxoE,UAAUuvE,gBAAkB,SAAS/tE,GACnD,IAAI8tE,EAGJ,OAFAA,EAAU9uE,KAAKwrC,MAAMxqC,UACdhB,KAAKwrC,MAAMxqC,GACX8tE,GAAW,IACpB,EAEA9G,EAAgBxoE,UAAU8E,KAAO,SAASob,GACxC,OAAO1f,KAAKwrC,MAAMjsC,OAAO6G,KAAKpG,KAAKwrC,OAAO9rB,KAAW,IACvD,EAEAsoD,EAAgBxoE,UAAUwvE,eAAiB,SAAS9K,EAAcC,GAChE,MAAM,IAAIr4D,MAAM,sCAClB,EAEAk8D,EAAgBxoE,UAAUyvE,eAAiB,SAAS3lE,GAClD,MAAM,IAAIwC,MAAM,sCAClB,EAEAk8D,EAAgBxoE,UAAU0vE,kBAAoB,SAAShL,EAAcC,GACnE,MAAM,IAAIr4D,MAAM,sCAClB,EAEOk8D,CAER,CAnDkC,EAqDpC,GAAE9mE,KAAKlB,8BCxDR,WACE,IAAImvE,EAAkB1L,EAAUY,EAAUS,EAAY2C,EAAgBQ,EAAYqF,EAAUzC,EAAsCuE,EAAatE,EAA0BC,EAAQC,EAAS9H,EAAU1D,EAASv3B,EAAY9V,EAAU+1C,EACjO7K,EAAU,CAAC,EAAE59D,eAEfyoE,EAAO,EAAQ,OAAc/1C,EAAW+1C,EAAK/1C,SAAU8V,EAAaigC,EAAKjgC,WAAYu3B,EAAU0I,EAAK1I,QAAS0D,EAAWgF,EAAKhF,SAE7H2H,EAAa,KAEbxG,EAAW,KAEXS,EAAa,KAEb2C,EAAiB,KAEjBQ,EAAa,KAEb8C,EAAS,KAETC,EAAU,KAEVF,EAA2B,KAE3BwC,EAAW,KAEX7J,EAAW,KAEX2L,EAAc,KAIdD,EAAmB,KAEnBpsE,EAAOC,QAAoB,WACzB,SAASshE,EAAQ+K,GACfrvE,KAAKwiB,OAAS6sD,EACVrvE,KAAKwiB,SACPxiB,KAAK8T,QAAU9T,KAAKwiB,OAAO1O,QAC3B9T,KAAKuF,UAAYvF,KAAKwiB,OAAOjd,WAE/BvF,KAAKqF,MAAQ,KACbrF,KAAK+jB,SAAW,GAChB/jB,KAAKsvE,QAAU,KACVzE,IACHA,EAAa,EAAQ,OACrBxG,EAAW,EAAQ,OACnBS,EAAa,EAAQ,OACrB2C,EAAiB,EAAQ,OACzBQ,EAAa,EAAQ,MACrB8C,EAAS,EAAQ,OACjBC,EAAU,EAAQ,OAClBF,EAA2B,EAAQ,OACnCwC,EAAW,EAAQ,OACnB7J,EAAW,EAAQ,OACnB2L,EAAc,EAAQ,OACJ,EAAQ,OAC1BD,EAAmB,EAAQ,OAE/B,CAktBA,OAhtBA5vE,OAAOua,eAAewqD,EAAQ9kE,UAAW,WAAY,CACnDuG,IAAK,WACH,OAAO/F,KAAKgB,IACd,IAGFzB,OAAOua,eAAewqD,EAAQ9kE,UAAW,WAAY,CACnDuG,IAAK,WACH,OAAO/F,KAAK8K,IACd,IAGFvL,OAAOua,eAAewqD,EAAQ9kE,UAAW,YAAa,CACpDuG,IAAK,WACH,OAAO/F,KAAKqF,KACd,IAGF9F,OAAOua,eAAewqD,EAAQ9kE,UAAW,aAAc,CACrDuG,IAAK,WACH,OAAO/F,KAAKwiB,MACd,IAGFjjB,OAAOua,eAAewqD,EAAQ9kE,UAAW,aAAc,CACrDuG,IAAK,WAIH,OAHK/F,KAAKuvE,eAAkBvvE,KAAKuvE,cAAc/jC,QAC7CxrC,KAAKuvE,cAAgB,IAAIH,EAAYpvE,KAAK+jB,WAErC/jB,KAAKuvE,aACd,IAGFhwE,OAAOua,eAAewqD,EAAQ9kE,UAAW,aAAc,CACrDuG,IAAK,WACH,OAAO/F,KAAK+jB,SAAS,IAAM,IAC7B,IAGFxkB,OAAOua,eAAewqD,EAAQ9kE,UAAW,YAAa,CACpDuG,IAAK,WACH,OAAO/F,KAAK+jB,SAAS/jB,KAAK+jB,SAASriB,OAAS,IAAM,IACpD,IAGFnC,OAAOua,eAAewqD,EAAQ9kE,UAAW,kBAAmB,CAC1DuG,IAAK,WACH,IAAIvE,EAEJ,OADAA,EAAIxB,KAAKwiB,OAAOuB,SAAS7N,QAAQlW,MAC1BA,KAAKwiB,OAAOuB,SAASviB,EAAI,IAAM,IACxC,IAGFjC,OAAOua,eAAewqD,EAAQ9kE,UAAW,cAAe,CACtDuG,IAAK,WACH,IAAIvE,EAEJ,OADAA,EAAIxB,KAAKwiB,OAAOuB,SAAS7N,QAAQlW,MAC1BA,KAAKwiB,OAAOuB,SAASviB,EAAI,IAAM,IACxC,IAGFjC,OAAOua,eAAewqD,EAAQ9kE,UAAW,gBAAiB,CACxDuG,IAAK,WACH,OAAO/F,KAAKyJ,YAAc,IAC5B,IAGFlK,OAAOua,eAAewqD,EAAQ9kE,UAAW,cAAe,CACtDuG,IAAK,WACH,IAAIwnB,EAAO7qB,EAAGL,EAAK8lE,EAAMrnD,EACzB,GAAI9gB,KAAK+3D,WAAa0L,EAASxB,SAAWjiE,KAAK+3D,WAAa0L,EAASd,iBAAkB,CAGrF,IAFA7hD,EAAM,GAEDpe,EAAI,EAAGL,GADZ8lE,EAAOnoE,KAAK+jB,UACWriB,OAAQgB,EAAIL,EAAKK,KACtC6qB,EAAQ46C,EAAKzlE,IACHgjC,cACR5kB,GAAOyM,EAAMmY,aAGjB,OAAO5kB,CACT,CACE,OAAO,IAEX,EACA/N,IAAK,SAAS1N,GACZ,MAAM,IAAIyG,MAAM,sCAAwC9L,KAAK2jE,YAC/D,IAGFW,EAAQ9kE,UAAUgwE,UAAY,SAAShtD,GACrC,IAAI+K,EAAO7qB,EAAGL,EAAK8lE,EAAMrlB,EAQzB,IAPA9iD,KAAKwiB,OAASA,EACVA,IACFxiB,KAAK8T,QAAU0O,EAAO1O,QACtB9T,KAAKuF,UAAYid,EAAOjd,WAG1Bu9C,EAAU,GACLpgD,EAAI,EAAGL,GAFZ8lE,EAAOnoE,KAAK+jB,UAEWriB,OAAQgB,EAAIL,EAAKK,IACtC6qB,EAAQ46C,EAAKzlE,GACbogD,EAAQtiD,KAAK+sB,EAAMiiD,UAAUxvE,OAE/B,OAAO8iD,CACT,EAEAwhB,EAAQ9kE,UAAUqqC,QAAU,SAAS7oC,EAAM8tC,EAAYz+B,GACrD,IAAIo/D,EAAWnrE,EAAM5B,EAAGgtE,EAAG7iE,EAAK8iE,EAAWttE,EAAKutE,EAAMzH,EAAM0H,EAAMvuD,EAelE,GAdAquD,EAAY,KACO,OAAf7gC,GAAgC,MAARz+B,IACPy+B,GAAnBq5B,EAAO,CAAC,CAAC,EAAG,OAAyB,GAAI93D,EAAO83D,EAAK,IAErC,MAAdr5B,IACFA,EAAa,CAAC,GAEhBA,EAAao0B,EAASp0B,GACjB3c,EAAS2c,KACez+B,GAA3Bw/D,EAAO,CAAC/gC,EAAYz+B,IAAmB,GAAIy+B,EAAa+gC,EAAK,IAEnD,MAAR7uE,IACFA,EAAOkiE,EAASliE,IAEdY,MAAM6L,QAAQzM,GAChB,IAAK0B,EAAI,EAAGL,EAAMrB,EAAKU,OAAQgB,EAAIL,EAAKK,IACtC4B,EAAOtD,EAAK0B,GACZitE,EAAY3vE,KAAK6pC,QAAQvlC,QAEtB,GAAI2jC,EAAWjnC,GACpB2uE,EAAY3vE,KAAK6pC,QAAQ7oC,EAAKyB,cACzB,GAAI0vB,EAASnxB,IAClB,IAAK6L,KAAO7L,EACV,GAAKq8D,EAAQn8D,KAAKF,EAAM6L,GAKxB,GAJAyU,EAAMtgB,EAAK6L,GACPo7B,EAAW3mB,KACbA,EAAMA,EAAI7e,UAEPzC,KAAK8T,QAAQg8D,kBAAoB9vE,KAAKuF,UAAUwqE,eAA+D,IAA9CljE,EAAIqJ,QAAQlW,KAAKuF,UAAUwqE,eAC/FJ,EAAY3vE,KAAKuyC,UAAU1lC,EAAI8b,OAAO3oB,KAAKuF,UAAUwqE,cAAcruE,QAAS4f,QACvE,IAAKthB,KAAK8T,QAAQk8D,oBAAsBpuE,MAAM6L,QAAQ6T,IAAQk+C,EAAQl+C,GAC3EquD,EAAY3vE,KAAK8rE,aACZ,GAAI35C,EAAS7Q,IAAQk+C,EAAQl+C,GAClCquD,EAAY3vE,KAAK6pC,QAAQh9B,QACpB,GAAK7M,KAAK8T,QAAQm8D,eAAyB,MAAP3uD,EAEpC,IAAKthB,KAAK8T,QAAQk8D,oBAAsBpuE,MAAM6L,QAAQ6T,GAC3D,IAAKouD,EAAI,EAAGE,EAAOtuD,EAAI5f,OAAQguE,EAAIE,EAAMF,IACvCprE,EAAOgd,EAAIouD,IACXD,EAAY,CAAC,GACH5iE,GAAOvI,EACjBqrE,EAAY3vE,KAAK6pC,QAAQ4lC,QAElBt9C,EAAS7Q,IACbthB,KAAK8T,QAAQg8D,kBAAoB9vE,KAAKuF,UAAU2qE,gBAAiE,IAA/CrjE,EAAIqJ,QAAQlW,KAAKuF,UAAU2qE,gBAChGP,EAAY3vE,KAAK6pC,QAAQvoB,IAEzBquD,EAAY3vE,KAAK6pC,QAAQh9B,IACfg9B,QAAQvoB,GAGpBquD,EAAY3vE,KAAK6pC,QAAQh9B,EAAKyU,QAhB9BquD,EAAY3vE,KAAK8rE,aAuBnB6D,EAJQ3vE,KAAK8T,QAAQm8D,eAA0B,OAAT5/D,GAGnCrQ,KAAK8T,QAAQg8D,kBAAoB9vE,KAAKuF,UAAU2qE,gBAAkE,IAAhDlvE,EAAKkV,QAAQlW,KAAKuF,UAAU2qE,gBACrFlwE,KAAKqQ,KAAKA,IACZrQ,KAAK8T,QAAQg8D,kBAAoB9vE,KAAKuF,UAAU4qE,iBAAoE,IAAjDnvE,EAAKkV,QAAQlW,KAAKuF,UAAU4qE,iBAC7FnwE,KAAKyzD,MAAMpjD,IACbrQ,KAAK8T,QAAQg8D,kBAAoB9vE,KAAKuF,UAAU6qE,mBAAwE,IAAnDpvE,EAAKkV,QAAQlW,KAAKuF,UAAU6qE,mBAC/FpwE,KAAK2zD,QAAQtjD,IACfrQ,KAAK8T,QAAQg8D,kBAAoB9vE,KAAKuF,UAAU8qE,eAAgE,IAA/CrvE,EAAKkV,QAAQlW,KAAKuF,UAAU8qE,eAC3FrwE,KAAK2E,IAAI0L,IACXrQ,KAAK8T,QAAQg8D,kBAAoB9vE,KAAKuF,UAAU+qE,cAA8D,IAA9CtvE,EAAKkV,QAAQlW,KAAKuF,UAAU+qE,cAC1FtwE,KAAK+rE,YAAY/qE,EAAK2nB,OAAO3oB,KAAKuF,UAAU+qE,aAAa5uE,QAAS2O,GAElErQ,KAAKsJ,KAAKtI,EAAM8tC,EAAYz+B,GAb9BrQ,KAAK8rE,QAgBnB,GAAiB,MAAb6D,EACF,MAAM,IAAI7jE,MAAM,uCAAyC9K,EAAO,KAAOhB,KAAK2jE,aAE9E,OAAOgM,CACT,EAEArL,EAAQ9kE,UAAU+wE,aAAe,SAASvvE,EAAM8tC,EAAYz+B,GAC1D,IAAIkd,EAAO/rB,EAAGgvE,EAAUC,EAAUC,EAClC,GAAY,MAAR1vE,EAAeA,EAAK8J,UAAO,EAY7B,OAVA2lE,EAAW3hC,GADX0hC,EAAWxvE,GAEFwuE,UAAUxvE,MACfywE,GACFjvE,EAAIuiB,SAAS7N,QAAQu6D,GACrBC,EAAU3sD,SAAS5N,OAAO3U,GAC1BuiB,SAASvjB,KAAKgwE,GACd5uE,MAAMpC,UAAUgB,KAAKiC,MAAMshB,SAAU2sD,IAErC3sD,SAASvjB,KAAKgwE,GAETA,EAEP,GAAIxwE,KAAKutE,OACP,MAAM,IAAIzhE,MAAM,yCAA2C9L,KAAK2jE,UAAU3iE,IAM5E,OAJAQ,EAAIxB,KAAKwiB,OAAOuB,SAAS7N,QAAQlW,MACjC0wE,EAAU1wE,KAAKwiB,OAAOuB,SAAS5N,OAAO3U,GACtC+rB,EAAQvtB,KAAKwiB,OAAOqnB,QAAQ7oC,EAAM8tC,EAAYz+B,GAC9CzO,MAAMpC,UAAUgB,KAAKiC,MAAMzC,KAAKwiB,OAAOuB,SAAU2sD,GAC1CnjD,CAEX,EAEA+2C,EAAQ9kE,UAAUmxE,YAAc,SAAS3vE,EAAM8tC,EAAYz+B,GACzD,IAAIkd,EAAO/rB,EAAGkvE,EACd,GAAI1wE,KAAKutE,OACP,MAAM,IAAIzhE,MAAM,yCAA2C9L,KAAK2jE,UAAU3iE,IAM5E,OAJAQ,EAAIxB,KAAKwiB,OAAOuB,SAAS7N,QAAQlW,MACjC0wE,EAAU1wE,KAAKwiB,OAAOuB,SAAS5N,OAAO3U,EAAI,GAC1C+rB,EAAQvtB,KAAKwiB,OAAOqnB,QAAQ7oC,EAAM8tC,EAAYz+B,GAC9CzO,MAAMpC,UAAUgB,KAAKiC,MAAMzC,KAAKwiB,OAAOuB,SAAU2sD,GAC1CnjD,CACT,EAEA+2C,EAAQ9kE,UAAUoxE,OAAS,WACzB,IAAIpvE,EACJ,GAAIxB,KAAKutE,OACP,MAAM,IAAIzhE,MAAM,mCAAqC9L,KAAK2jE,aAI5D,OAFAniE,EAAIxB,KAAKwiB,OAAOuB,SAAS7N,QAAQlW,MACjC,GAAGmW,OAAO1T,MAAMzC,KAAKwiB,OAAOuB,SAAU,CAACviB,EAAGA,EAAIA,EAAI,GAAGH,OAAc,KAC5DrB,KAAKwiB,MACd,EAEA8hD,EAAQ9kE,UAAU8J,KAAO,SAAStI,EAAM8tC,EAAYz+B,GAClD,IAAIkd,EAAO46C,EAcX,OAbY,MAARnnE,IACFA,EAAOkiE,EAASliE,IAElB8tC,IAAeA,EAAa,CAAC,GAC7BA,EAAao0B,EAASp0B,GACjB3c,EAAS2c,KACez+B,GAA3B83D,EAAO,CAACr5B,EAAYz+B,IAAmB,GAAIy+B,EAAaq5B,EAAK,IAE/D56C,EAAQ,IAAIs9C,EAAW7qE,KAAMgB,EAAM8tC,GACvB,MAARz+B,GACFkd,EAAMld,KAAKA,GAEbrQ,KAAK+jB,SAASvjB,KAAK+sB,GACZA,CACT,EAEA+2C,EAAQ9kE,UAAU6Q,KAAO,SAAShL,GAChC,IAAIkoB,EAMJ,OALI4E,EAAS9sB,IACXrF,KAAK6pC,QAAQxkC,GAEfkoB,EAAQ,IAAIy9C,EAAQhrE,KAAMqF,GAC1BrF,KAAK+jB,SAASvjB,KAAK+sB,GACZvtB,IACT,EAEAskE,EAAQ9kE,UAAUi0D,MAAQ,SAASpuD,GACjC,IAAIkoB,EAGJ,OAFAA,EAAQ,IAAI82C,EAASrkE,KAAMqF,GAC3BrF,KAAK+jB,SAASvjB,KAAK+sB,GACZvtB,IACT,EAEAskE,EAAQ9kE,UAAUm0D,QAAU,SAAStuD,GACnC,IAAIkoB,EAGJ,OAFAA,EAAQ,IAAIu3C,EAAW9kE,KAAMqF,GAC7BrF,KAAK+jB,SAASvjB,KAAK+sB,GACZvtB,IACT,EAEAskE,EAAQ9kE,UAAUqxE,cAAgB,SAASxrE,GACzC,IAAW7D,EAAGkvE,EAKd,OAJAlvE,EAAIxB,KAAKwiB,OAAOuB,SAAS7N,QAAQlW,MACjC0wE,EAAU1wE,KAAKwiB,OAAOuB,SAAS5N,OAAO3U,GAC9BxB,KAAKwiB,OAAOmxC,QAAQtuD,GAC5BzD,MAAMpC,UAAUgB,KAAKiC,MAAMzC,KAAKwiB,OAAOuB,SAAU2sD,GAC1C1wE,IACT,EAEAskE,EAAQ9kE,UAAUsxE,aAAe,SAASzrE,GACxC,IAAW7D,EAAGkvE,EAKd,OAJAlvE,EAAIxB,KAAKwiB,OAAOuB,SAAS7N,QAAQlW,MACjC0wE,EAAU1wE,KAAKwiB,OAAOuB,SAAS5N,OAAO3U,EAAI,GAClCxB,KAAKwiB,OAAOmxC,QAAQtuD,GAC5BzD,MAAMpC,UAAUgB,KAAKiC,MAAMzC,KAAKwiB,OAAOuB,SAAU2sD,GAC1C1wE,IACT,EAEAskE,EAAQ9kE,UAAUmF,IAAM,SAASU,GAC/B,IAAIkoB,EAGJ,OAFAA,EAAQ,IAAIw9C,EAAO/qE,KAAMqF,GACzBrF,KAAK+jB,SAASvjB,KAAK+sB,GACZvtB,IACT,EAEAskE,EAAQ9kE,UAAUssE,MAAQ,WAGxB,OADQ,IAAIwB,EAASttE,KAEvB,EAEAskE,EAAQ9kE,UAAUusE,YAAc,SAAS/nE,EAAQqB,GAC/C,IAAI+mE,EAAWC,EAAUN,EAAarpE,EAAGL,EAOzC,GANc,MAAV2B,IACFA,EAASk/D,EAASl/D,IAEP,MAATqB,IACFA,EAAQ69D,EAAS79D,IAEfzD,MAAM6L,QAAQzJ,GAChB,IAAKtB,EAAI,EAAGL,EAAM2B,EAAOtC,OAAQgB,EAAIL,EAAKK,IACxC0pE,EAAYpoE,EAAOtB,GACnB1C,KAAK+rE,YAAYK,QAEd,GAAIj6C,EAASnuB,GAClB,IAAKooE,KAAapoE,EACXq5D,EAAQn8D,KAAK8C,EAAQooE,KAC1BC,EAAWroE,EAAOooE,GAClBpsE,KAAK+rE,YAAYK,EAAWC,SAG1BpkC,EAAW5iC,KACbA,EAAQA,EAAM5C,SAEhBspE,EAAc,IAAIjB,EAAyB9qE,KAAMgE,EAAQqB,GACzDrF,KAAK+jB,SAASvjB,KAAKurE,GAErB,OAAO/rE,IACT,EAEAskE,EAAQ9kE,UAAUuxE,kBAAoB,SAAS/sE,EAAQqB,GACrD,IAAW7D,EAAGkvE,EAKd,OAJAlvE,EAAIxB,KAAKwiB,OAAOuB,SAAS7N,QAAQlW,MACjC0wE,EAAU1wE,KAAKwiB,OAAOuB,SAAS5N,OAAO3U,GAC9BxB,KAAKwiB,OAAOupD,YAAY/nE,EAAQqB,GACxCzD,MAAMpC,UAAUgB,KAAKiC,MAAMzC,KAAKwiB,OAAOuB,SAAU2sD,GAC1C1wE,IACT,EAEAskE,EAAQ9kE,UAAUwxE,iBAAmB,SAAShtE,EAAQqB,GACpD,IAAW7D,EAAGkvE,EAKd,OAJAlvE,EAAIxB,KAAKwiB,OAAOuB,SAAS7N,QAAQlW,MACjC0wE,EAAU1wE,KAAKwiB,OAAOuB,SAAS5N,OAAO3U,EAAI,GAClCxB,KAAKwiB,OAAOupD,YAAY/nE,EAAQqB,GACxCzD,MAAMpC,UAAUgB,KAAKiC,MAAMzC,KAAKwiB,OAAOuB,SAAU2sD,GAC1C1wE,IACT,EAEAskE,EAAQ9kE,UAAUuoE,YAAc,SAAS9rC,EAASyrC,EAAUC,GAC1D,IAAI/N,EAAKuE,EAUT,OATAvE,EAAM55D,KAAKyJ,WACX00D,EAAS,IAAIsJ,EAAe7N,EAAK39B,EAASyrC,EAAUC,GACxB,IAAxB/N,EAAI71C,SAASriB,OACfk4D,EAAI71C,SAASjR,QAAQqrD,GACZvE,EAAI71C,SAAS,GAAGjZ,OAAS24D,EAASZ,YAC3CjJ,EAAI71C,SAAS,GAAKo6C,EAElBvE,EAAI71C,SAASjR,QAAQqrD,GAEhBvE,EAAInuB,QAAUmuB,CACvB,EAEA0K,EAAQ9kE,UAAU4tE,IAAM,SAAStG,EAAOC,GACtC,IAAWnN,EAAK/F,EAASryD,EAAGkB,EAAGgtE,EAAGrtE,EAAKutE,EAAMzH,EAAM0H,EAInD,IAHAjW,EAAM55D,KAAKyJ,WACXoqD,EAAU,IAAIoU,EAAWrO,EAAKkN,EAAOC,GAEhCvlE,EAAIkB,EAAI,EAAGL,GADhB8lE,EAAOvO,EAAI71C,UACgBriB,OAAQgB,EAAIL,EAAKb,IAAMkB,EAEhD,GADQylE,EAAK3mE,GACHsJ,OAAS24D,EAASf,QAE1B,OADA9I,EAAI71C,SAASviB,GAAKqyD,EACXA,EAIX,IAAKryD,EAAIkuE,EAAI,EAAGE,GADhBC,EAAOjW,EAAI71C,UACiBriB,OAAQguE,EAAIE,EAAMpuE,IAAMkuE,EAElD,GADQG,EAAKruE,GACH+rE,OAER,OADA3T,EAAI71C,SAAS5N,OAAO3U,EAAG,EAAGqyD,GACnBA,EAIX,OADA+F,EAAI71C,SAASvjB,KAAKqzD,GACXA,CACT,EAEAyQ,EAAQ9kE,UAAUy+D,GAAK,WACrB,GAAIj+D,KAAKutE,OACP,MAAM,IAAIzhE,MAAM,kFAElB,OAAO9L,KAAKwiB,MACd,EAEA8hD,EAAQ9kE,UAAUisC,KAAO,WACvB,IAAIniC,EAEJ,IADAA,EAAOtJ,KACAsJ,GAAM,CACX,GAAIA,EAAKwB,OAAS24D,EAAShB,SACzB,OAAOn5D,EAAK2/D,WACP,GAAI3/D,EAAKikE,OACd,OAAOjkE,EAEPA,EAAOA,EAAKkZ,MAEhB,CACF,EAEA8hD,EAAQ9kE,UAAUiK,SAAW,WAC3B,IAAIH,EAEJ,IADAA,EAAOtJ,KACAsJ,GAAM,CACX,GAAIA,EAAKwB,OAAS24D,EAAShB,SACzB,OAAOn5D,EAEPA,EAAOA,EAAKkZ,MAEhB,CACF,EAEA8hD,EAAQ9kE,UAAU0pB,IAAM,SAASpV,GAC/B,OAAO9T,KAAKyJ,WAAWyf,IAAIpV,EAC7B,EAEAwwD,EAAQ9kE,UAAUs2B,KAAO,WACvB,IAAIt0B,EAEJ,IADAA,EAAIxB,KAAKwiB,OAAOuB,SAAS7N,QAAQlW,OACzB,EACN,MAAM,IAAI8L,MAAM,8BAAgC9L,KAAK2jE,aAEvD,OAAO3jE,KAAKwiB,OAAOuB,SAASviB,EAAI,EAClC,EAEA8iE,EAAQ9kE,UAAU6oB,KAAO,WACvB,IAAI7mB,EAEJ,IAAW,KADXA,EAAIxB,KAAKwiB,OAAOuB,SAAS7N,QAAQlW,QACjBwB,IAAMxB,KAAKwiB,OAAOuB,SAASriB,OAAS,EAClD,MAAM,IAAIoK,MAAM,6BAA+B9L,KAAK2jE,aAEtD,OAAO3jE,KAAKwiB,OAAOuB,SAASviB,EAAI,EAClC,EAEA8iE,EAAQ9kE,UAAUyxE,eAAiB,SAASrX,GAC1C,IAAIsX,EAKJ,OAJAA,EAAatX,EAAInuB,OAAO3pB,SACbU,OAASxiB,KACpBkxE,EAAW3D,QAAS,EACpBvtE,KAAK+jB,SAASvjB,KAAK0wE,GACZlxE,IACT,EAEAskE,EAAQ9kE,UAAUmkE,UAAY,SAAS3iE,GACrC,IAAImnE,EAAM0H,EAEV,OAAa,OADb7uE,EAAOA,GAAQhB,KAAKgB,QAC4B,OAAvBmnE,EAAOnoE,KAAKwiB,QAAkB2lD,EAAKnnE,UAAO,GAEhD,MAARA,EACF,YAAchB,KAAKwiB,OAAOxhB,KAAO,KACL,OAAvB6uE,EAAO7vE,KAAKwiB,QAAkBqtD,EAAK7uE,UAAO,GAG/C,UAAYA,EAAO,eAAiBhB,KAAKwiB,OAAOxhB,KAAO,IAFvD,UAAYA,EAAO,IAJnB,EAQX,EAEAsjE,EAAQ9kE,UAAUw+D,IAAM,SAASh9D,EAAM8tC,EAAYz+B,GACjD,OAAOrQ,KAAK6pC,QAAQ7oC,EAAM8tC,EAAYz+B,EACxC,EAEAi0D,EAAQ9kE,UAAUutE,IAAM,SAAS/rE,EAAM8tC,EAAYz+B,GACjD,OAAOrQ,KAAKsJ,KAAKtI,EAAM8tC,EAAYz+B,EACrC,EAEAi0D,EAAQ9kE,UAAUu+D,IAAM,SAAS14D,GAC/B,OAAOrF,KAAKqQ,KAAKhL,EACnB,EAEAi/D,EAAQ9kE,UAAUwtE,IAAM,SAAS3nE,GAC/B,OAAOrF,KAAKyzD,MAAMpuD,EACpB,EAEAi/D,EAAQ9kE,UAAUytE,IAAM,SAAS5nE,GAC/B,OAAOrF,KAAK2zD,QAAQtuD,EACtB,EAEAi/D,EAAQ9kE,UAAU0tE,IAAM,SAASlpE,EAAQqB,GACvC,OAAOrF,KAAK+rE,YAAY/nE,EAAQqB,EAClC,EAEAi/D,EAAQ9kE,UAAUo6D,IAAM,WACtB,OAAO55D,KAAKyJ,UACd,EAEA66D,EAAQ9kE,UAAU2tE,IAAM,SAASlxC,EAASyrC,EAAUC,GAClD,OAAO3nE,KAAK+nE,YAAY9rC,EAASyrC,EAAUC,EAC7C,EAEArD,EAAQ9kE,UAAUyF,EAAI,SAASjE,EAAM8tC,EAAYz+B,GAC/C,OAAOrQ,KAAK6pC,QAAQ7oC,EAAM8tC,EAAYz+B,EACxC,EAEAi0D,EAAQ9kE,UAAUg5B,EAAI,SAASx3B,EAAM8tC,EAAYz+B,GAC/C,OAAOrQ,KAAKsJ,KAAKtI,EAAM8tC,EAAYz+B,EACrC,EAEAi0D,EAAQ9kE,UAAU8gC,EAAI,SAASj7B,GAC7B,OAAOrF,KAAKqQ,KAAKhL,EACnB,EAEAi/D,EAAQ9kE,UAAUw7D,EAAI,SAAS31D,GAC7B,OAAOrF,KAAKyzD,MAAMpuD,EACpB,EAEAi/D,EAAQ9kE,UAAUohB,EAAI,SAASvb,GAC7B,OAAOrF,KAAK2zD,QAAQtuD,EACtB,EAEAi/D,EAAQ9kE,UAAU6tE,EAAI,SAAShoE,GAC7B,OAAOrF,KAAK2E,IAAIU,EAClB,EAEAi/D,EAAQ9kE,UAAUgC,EAAI,SAASwC,EAAQqB,GACrC,OAAOrF,KAAK+rE,YAAY/nE,EAAQqB,EAClC,EAEAi/D,EAAQ9kE,UAAU2xE,EAAI,WACpB,OAAOnxE,KAAKi+D,IACd,EAEAqG,EAAQ9kE,UAAU4xE,iBAAmB,SAASxX,GAC5C,OAAO55D,KAAKixE,eAAerX,EAC7B,EAEA0K,EAAQ9kE,UAAU6xE,aAAe,SAASb,EAAUc,GAClD,MAAM,IAAIxlE,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAW,EAAQ9kE,UAAUq7D,YAAc,SAASyW,GACvC,MAAM,IAAIxlE,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAW,EAAQ9kE,UAAUyiC,YAAc,SAASuuC,GACvC,MAAM,IAAI1kE,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAW,EAAQ9kE,UAAU+xE,cAAgB,WAChC,OAAgC,IAAzBvxE,KAAK+jB,SAASriB,MACvB,EAEA4iE,EAAQ9kE,UAAUgxC,UAAY,SAASv7B,GACrC,MAAM,IAAInJ,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAW,EAAQ9kE,UAAUw4D,UAAY,WAC5B,MAAM,IAAIlsD,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAW,EAAQ9kE,UAAUgyE,YAAc,SAAS/L,EAASxpC,GAChD,OAAO,CACT,EAEAqoC,EAAQ9kE,UAAUiyE,cAAgB,WAChC,OAA+B,IAAxBzxE,KAAK6rE,QAAQnqE,MACtB,EAEA4iE,EAAQ9kE,UAAUkyE,wBAA0B,SAASC,GACnD,IAAI15D,EAAKiJ,EAET,OADAjJ,EAAMjY,QACM2xE,EACH,EACE3xE,KAAKyJ,aAAekoE,EAAMloE,YACnCyX,EAAMiuD,EAAiBxN,aAAewN,EAAiBnN,uBACnDzrC,KAAK0vB,SAAW,GAClB/kC,GAAOiuD,EAAiBvN,UAExB1gD,GAAOiuD,EAAiBtN,UAEnB3gD,GACEjJ,EAAI25D,WAAWD,GACjBxC,EAAiBrN,SAAWqN,EAAiBvN,UAC3C3pD,EAAI45D,aAAaF,GACnBxC,EAAiBrN,SAAWqN,EAAiBtN,UAC3C5pD,EAAI65D,YAAYH,GAClBxC,EAAiBvN,UAEjBuN,EAAiBtN,SAE5B,EAEAyC,EAAQ9kE,UAAUuyE,WAAa,SAASJ,GACtC,MAAM,IAAI7lE,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAW,EAAQ9kE,UAAUwyE,aAAe,SAAS9N,GACxC,MAAM,IAAIp4D,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAW,EAAQ9kE,UAAUyyE,mBAAqB,SAAS/N,GAC9C,MAAM,IAAIp4D,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAW,EAAQ9kE,UAAU0yE,mBAAqB,SAASxyE,GAC9C,MAAM,IAAIoM,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAW,EAAQ9kE,UAAUykE,YAAc,SAAS36D,GACvC,IAAI9H,EAAGkB,EAAGylE,EACV,GAAI7+D,EAAKyuD,WAAa/3D,KAAK+3D,SACzB,OAAO,EAET,GAAIzuD,EAAKya,SAASriB,SAAW1B,KAAK+jB,SAASriB,OACzC,OAAO,EAET,IAAKF,EAAIkB,EAAI,EAAGylE,EAAOnoE,KAAK+jB,SAASriB,OAAS,EAAG,GAAKymE,EAAOzlE,GAAKylE,EAAOzlE,GAAKylE,EAAM3mE,EAAI,GAAK2mE,IAASzlE,IAAMA,EAC1G,IAAK1C,KAAK+jB,SAASviB,GAAGyiE,YAAY36D,EAAKya,SAASviB,IAC9C,OAAO,EAGX,OAAO,CACT,EAEA8iE,EAAQ9kE,UAAUwmE,WAAa,SAASP,EAASxpC,GAC/C,MAAM,IAAInwB,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAW,EAAQ9kE,UAAU2yE,YAAc,SAAStlE,EAAK/H,EAAMgnB,GAClD,MAAM,IAAIhgB,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAW,EAAQ9kE,UAAU4yE,YAAc,SAASvlE,GACvC,MAAM,IAAIf,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAW,EAAQ9kE,UAAU0hD,SAAW,SAASywB,GACpC,QAAKA,IAGEA,IAAU3xE,MAAQA,KAAK6xE,aAAaF,GAC7C,EAEArN,EAAQ9kE,UAAUqyE,aAAe,SAASvoE,GACxC,IAAIikB,EAA0B7qB,EAAGL,EAAK8lE,EAEtC,IAAKzlE,EAAI,EAAGL,GADZ8lE,EAAOnoE,KAAK+jB,UACWriB,OAAQgB,EAAIL,EAAKK,IAAK,CAE3C,GAAI4G,KADJikB,EAAQ46C,EAAKzlE,IAEX,OAAO,EAGT,GADoB6qB,EAAMskD,aAAavoE,GAErC,OAAO,CAEX,CACA,OAAO,CACT,EAEAg7D,EAAQ9kE,UAAUoyE,WAAa,SAAStoE,GACtC,OAAOA,EAAKuoE,aAAa7xE,KAC3B,EAEAskE,EAAQ9kE,UAAUsyE,YAAc,SAASxoE,GACvC,IAAI+oE,EAASC,EAGb,OAFAD,EAAUryE,KAAKuyE,aAAajpE,GAC5BgpE,EAAUtyE,KAAKuyE,aAAavyE,OACX,IAAbqyE,IAA+B,IAAbC,GAGbD,EAAUC,CAErB,EAEAhO,EAAQ9kE,UAAUgzE,YAAc,SAASlpE,GACvC,IAAI+oE,EAASC,EAGb,OAFAD,EAAUryE,KAAKuyE,aAAajpE,GAC5BgpE,EAAUtyE,KAAKuyE,aAAavyE,OACX,IAAbqyE,IAA+B,IAAbC,GAGbD,EAAUC,CAErB,EAEAhO,EAAQ9kE,UAAU+yE,aAAe,SAASjpE,GACxC,IAAImpE,EAAOC,EASX,OARAA,EAAM,EACND,GAAQ,EACRzyE,KAAK2yE,gBAAgB3yE,KAAKyJ,YAAY,SAASgmE,GAE7C,GADAiD,KACKD,GAAShD,IAAcnmE,EAC1B,OAAOmpE,GAAQ,CAEnB,IACIA,EACKC,GAEC,CAEZ,EAEApO,EAAQ9kE,UAAUmzE,gBAAkB,SAASrpE,EAAMspE,GACjD,IAAIrlD,EAAO7qB,EAAGL,EAAK8lE,EAAMjnD,EAGzB,IAFA5X,IAASA,EAAOtJ,KAAKyJ,YAEhB/G,EAAI,EAAGL,GADZ8lE,EAAO7+D,EAAKya,UACWriB,OAAQgB,EAAIL,EAAKK,IAAK,CAE3C,GAAIwe,EAAM0xD,EADVrlD,EAAQ46C,EAAKzlE,IAEX,OAAOwe,EAGP,GADAA,EAAMlhB,KAAK2yE,gBAAgBplD,EAAOqlD,GAEhC,OAAO1xD,CAGb,CACF,EAEOojD,CAER,CA7uB0B,EA+uB5B,GAAEpjE,KAAKlB,0BC/wBR,WAGE+C,EAAOC,QAAwB,WAC7B,SAASosE,EAAY5jC,GACnBxrC,KAAKwrC,MAAQA,CACf,CAgBA,OAdAjsC,OAAOua,eAAes1D,EAAY5vE,UAAW,SAAU,CACrDuG,IAAK,WACH,OAAO/F,KAAKwrC,MAAM9pC,QAAU,CAC9B,IAGF0tE,EAAY5vE,UAAUsiB,MAAQ,WAC5B,OAAO9hB,KAAKwrC,MAAQ,IACtB,EAEA4jC,EAAY5vE,UAAU8E,KAAO,SAASob,GACpC,OAAO1f,KAAKwrC,MAAM9rB,IAAU,IAC9B,EAEO0vD,CAER,CArB8B,EAuBhC,GAAEluE,KAAKlB,8BC1BR,WACE,IAAIyjE,EAAUW,EAEZ/G,EAAU,CAAC,EAAE59D,eAEfgkE,EAAW,EAAQ,OAEnBW,EAAmB,EAAQ,MAE3BrhE,EAAOC,QAAqC,SAAU48D,GAGpD,SAASkL,EAAyBtoD,EAAQxe,EAAQqB,GAEhD,GADAylE,EAAyB5K,UAAUr8D,YAAY3C,KAAKlB,KAAMwiB,GAC5C,MAAVxe,EACF,MAAM,IAAI8H,MAAM,+BAAiC9L,KAAK2jE,aAExD3jE,KAAK8K,KAAO24D,EAASlB,sBACrBviE,KAAKgE,OAAShE,KAAKuF,UAAU6mE,UAAUpoE,GACvChE,KAAKgB,KAAOhB,KAAKgE,OACbqB,IACFrF,KAAKqF,MAAQrF,KAAKuF,UAAU8mE,SAAShnE,GAEzC,CAoBA,OAzCS,SAASkoB,EAAO/K,GAAU,IAAK,IAAI3V,KAAO2V,EAAc66C,EAAQn8D,KAAKshB,EAAQ3V,KAAM0gB,EAAM1gB,GAAO2V,EAAO3V,IAAQ,SAASozD,IAASjgE,KAAK6D,YAAc0pB,CAAO,CAAE0yC,EAAKzgE,UAAYgjB,EAAOhjB,UAAW+tB,EAAM/tB,UAAY,IAAIygE,EAAQ1yC,EAAM2yC,UAAY19C,EAAOhjB,SAAyB,CAQzRihB,CAAOqqD,EAA0BlL,GAejCkL,EAAyBtrE,UAAUsiB,MAAQ,WACzC,OAAOviB,OAAOqB,OAAOZ,KACvB,EAEA8qE,EAAyBtrE,UAAUkI,SAAW,SAASoM,GACrD,OAAO9T,KAAK8T,QAAQiwD,OAAOuI,sBAAsBtsE,KAAMA,KAAK8T,QAAQiwD,OAAOC,cAAclwD,GAC3F,EAEAg3D,EAAyBtrE,UAAUykE,YAAc,SAAS36D,GACxD,QAAKwhE,EAAyB5K,UAAU+D,YAAYxhE,MAAMzC,KAAMsC,WAAW2hE,YAAY36D,IAGnFA,EAAKtF,SAAWhE,KAAKgE,MAI3B,EAEO8mE,CAER,CApC2C,CAoCzC1G,EAEJ,GAAEljE,KAAKlB,8BC/CR,WACE,IAAIyjE,EAAUa,EAEZjH,EAAU,CAAC,EAAE59D,eAEfgkE,EAAW,EAAQ,OAEnBa,EAAU,EAAQ,OAElBvhE,EAAOC,QAAmB,SAAU48D,GAGlC,SAASmL,EAAOvoD,EAAQnS,GAEtB,GADA06D,EAAO7K,UAAUr8D,YAAY3C,KAAKlB,KAAMwiB,GAC5B,MAARnS,EACF,MAAM,IAAIvE,MAAM,qBAAuB9L,KAAK2jE,aAE9C3jE,KAAK8K,KAAO24D,EAASX,IACrB9iE,KAAKqF,MAAQrF,KAAKuF,UAAUZ,IAAI0L,EAClC,CAUA,OA3BS,SAASkd,EAAO/K,GAAU,IAAK,IAAI3V,KAAO2V,EAAc66C,EAAQn8D,KAAKshB,EAAQ3V,KAAM0gB,EAAM1gB,GAAO2V,EAAO3V,IAAQ,SAASozD,IAASjgE,KAAK6D,YAAc0pB,CAAO,CAAE0yC,EAAKzgE,UAAYgjB,EAAOhjB,UAAW+tB,EAAM/tB,UAAY,IAAIygE,EAAQ1yC,EAAM2yC,UAAY19C,EAAOhjB,SAAyB,CAQzRihB,CAAOsqD,EAAQnL,GAWfmL,EAAOvrE,UAAUsiB,MAAQ,WACvB,OAAOviB,OAAOqB,OAAOZ,KACvB,EAEA+qE,EAAOvrE,UAAUkI,SAAW,SAASoM,GACnC,OAAO9T,KAAK8T,QAAQiwD,OAAOp/D,IAAI3E,KAAMA,KAAK8T,QAAQiwD,OAAOC,cAAclwD,GACzE,EAEOi3D,CAER,CAtByB,CAsBvBzG,EAEJ,GAAEpjE,KAAKlB,8BCjCR,WACE,IAAIyjE,EAAUmH,EAA8BiI,EAE1CxV,EAAU,CAAC,EAAE59D,eAEfgkE,EAAW,EAAQ,OAEnBoP,EAAgB,EAAQ,OAExBjI,EAAc,EAAQ,OAEtB7nE,EAAOC,QAA4B,SAAU48D,GAG3C,SAASkT,EAAgBC,EAAQj/D,GAC/B9T,KAAK+yE,OAASA,EACdD,EAAgB5S,UAAUr8D,YAAY3C,KAAKlB,KAAM8T,EACnD,CAyJA,OAxKS,SAASyZ,EAAO/K,GAAU,IAAK,IAAI3V,KAAO2V,EAAc66C,EAAQn8D,KAAKshB,EAAQ3V,KAAM0gB,EAAM1gB,GAAO2V,EAAO3V,IAAQ,SAASozD,IAASjgE,KAAK6D,YAAc0pB,CAAO,CAAE0yC,EAAKzgE,UAAYgjB,EAAOhjB,UAAW+tB,EAAM/tB,UAAY,IAAIygE,EAAQ1yC,EAAM2yC,UAAY19C,EAAOhjB,SAAyB,CAUzRihB,CAAOqyD,EAAiBlT,GAOxBkT,EAAgBtzE,UAAUotE,QAAU,SAAStjE,EAAMwK,EAASg5D,GAC1D,OAAIxjE,EAAK0pE,gBAAkBl/D,EAAQlH,QAAUg+D,EAAYpH,SAChD,GAEAsP,EAAgB5S,UAAU0M,QAAQ1rE,KAAKlB,KAAMsJ,EAAMwK,EAASg5D,EAEvE,EAEAgG,EAAgBtzE,UAAUiK,SAAW,SAASmwD,EAAK9lD,GACjD,IAAIyZ,EAAO/rB,EAAGkB,EAAGgtE,EAAGrtE,EAAKutE,EAAM33D,EAAKiwD,EAAMplB,EAE1C,IAAKthD,EAAIkB,EAAI,EAAGL,GADhB4V,EAAM2hD,EAAI71C,UACgBriB,OAAQgB,EAAIL,EAAKb,IAAMkB,GAC/C6qB,EAAQtV,EAAIzW,IACNwxE,eAAiBxxE,IAAMo4D,EAAI71C,SAASriB,OAAS,EAKrD,IAHAoS,EAAU9T,KAAKgkE,cAAclwD,GAE7BgvC,EAAU,GACL4sB,EAAI,EAAGE,GAFZ1H,EAAOtO,EAAI71C,UAEariB,OAAQguE,EAAIE,EAAMF,IACxCniD,EAAQ26C,EAAKwH,GACb5sB,EAAQtiD,KAAKR,KAAKizE,eAAe1lD,EAAOzZ,EAAS,IAEnD,OAAOgvC,CACT,EAEAgwB,EAAgBtzE,UAAU+yC,UAAY,SAAS2rB,EAAKpqD,EAASg5D,GAC3D,OAAO9sE,KAAK+yE,OAAOlhB,MAAMihB,EAAgB5S,UAAU3tB,UAAUrxC,KAAKlB,KAAMk+D,EAAKpqD,EAASg5D,GACxF,EAEAgG,EAAgBtzE,UAAUi0D,MAAQ,SAASnqD,EAAMwK,EAASg5D,GACxD,OAAO9sE,KAAK+yE,OAAOlhB,MAAMihB,EAAgB5S,UAAUzM,MAAMvyD,KAAKlB,KAAMsJ,EAAMwK,EAASg5D,GACrF,EAEAgG,EAAgBtzE,UAAUm0D,QAAU,SAASrqD,EAAMwK,EAASg5D,GAC1D,OAAO9sE,KAAK+yE,OAAOlhB,MAAMihB,EAAgB5S,UAAUvM,QAAQzyD,KAAKlB,KAAMsJ,EAAMwK,EAASg5D,GACvF,EAEAgG,EAAgBtzE,UAAUuoE,YAAc,SAASz+D,EAAMwK,EAASg5D,GAC9D,OAAO9sE,KAAK+yE,OAAOlhB,MAAMihB,EAAgB5S,UAAU6H,YAAY7mE,KAAKlB,KAAMsJ,EAAMwK,EAASg5D,GAC3F,EAEAgG,EAAgBtzE,UAAUgpE,QAAU,SAASl/D,EAAMwK,EAASg5D,GAC1D,IAAIv/C,EAAO7qB,EAAGL,EAAK4V,EAWnB,GAVA60D,IAAUA,EAAQ,GAClB9sE,KAAKysE,SAASnjE,EAAMwK,EAASg5D,GAC7Bh5D,EAAQlH,MAAQg+D,EAAYtH,QAC5BtjE,KAAK+yE,OAAOlhB,MAAM7xD,KAAK2sE,OAAOrjE,EAAMwK,EAASg5D,IAC7C9sE,KAAK+yE,OAAOlhB,MAAM,aAAevoD,EAAKmiC,OAAOzqC,MACzCsI,EAAKw9D,OAASx9D,EAAKy9D,MACrB/mE,KAAK+yE,OAAOlhB,MAAM,YAAcvoD,EAAKw9D,MAAQ,MAAQx9D,EAAKy9D,MAAQ,KACzDz9D,EAAKy9D,OACd/mE,KAAK+yE,OAAOlhB,MAAM,YAAcvoD,EAAKy9D,MAAQ,KAE3Cz9D,EAAKya,SAASriB,OAAS,EAAG,CAK5B,IAJA1B,KAAK+yE,OAAOlhB,MAAM,MAClB7xD,KAAK+yE,OAAOlhB,MAAM7xD,KAAK4sE,QAAQtjE,EAAMwK,EAASg5D,IAC9Ch5D,EAAQlH,MAAQg+D,EAAYrH,UAEvB7gE,EAAI,EAAGL,GADZ4V,EAAM3O,EAAKya,UACWriB,OAAQgB,EAAIL,EAAKK,IACrC6qB,EAAQtV,EAAIvV,GACZ1C,KAAKizE,eAAe1lD,EAAOzZ,EAASg5D,EAAQ,GAE9Ch5D,EAAQlH,MAAQg+D,EAAYpH,SAC5BxjE,KAAK+yE,OAAOlhB,MAAM,IACpB,CAKA,OAJA/9C,EAAQlH,MAAQg+D,EAAYpH,SAC5BxjE,KAAK+yE,OAAOlhB,MAAM/9C,EAAQo/D,iBAAmB,KAC7ClzE,KAAK+yE,OAAOlhB,MAAM7xD,KAAK4sE,QAAQtjE,EAAMwK,EAASg5D,IAC9Ch5D,EAAQlH,MAAQg+D,EAAYvH,KACrBrjE,KAAKwsE,UAAUljE,EAAMwK,EAASg5D,EACvC,EAEAgG,EAAgBtzE,UAAUqqC,QAAU,SAASvgC,EAAMwK,EAASg5D,GAC1D,IAAI5O,EAAK3wC,EAAO4lD,EAAgBC,EAAgB1wE,EAAGL,EAAKrB,EAAwBiX,EAAKiwD,EAMrF,IAAKlnE,KALL8rE,IAAUA,EAAQ,GAClB9sE,KAAKysE,SAASnjE,EAAMwK,EAASg5D,GAC7Bh5D,EAAQlH,MAAQg+D,EAAYtH,QAC5BtjE,KAAK+yE,OAAOlhB,MAAM7xD,KAAK2sE,OAAOrjE,EAAMwK,EAASg5D,GAAS,IAAMxjE,EAAKtI,MACjEiX,EAAM3O,EAAKuiE,QAEJxO,EAAQn8D,KAAK+W,EAAKjX,KACvBk9D,EAAMjmD,EAAIjX,GACVhB,KAAKuyC,UAAU2rB,EAAKpqD,EAASg5D,IAI/B,GADAsG,EAAoC,KADpCD,EAAiB7pE,EAAKya,SAASriB,QACS,KAAO4H,EAAKya,SAAS,GACtC,IAAnBovD,GAAwB7pE,EAAKya,SAAShB,OAAM,SAAS9d,GACvD,OAAQA,EAAE6F,OAAS24D,EAAStB,MAAQl9D,EAAE6F,OAAS24D,EAASX,MAAoB,KAAZ79D,EAAEI,KACpE,IACMyO,EAAQu/D,YACVrzE,KAAK+yE,OAAOlhB,MAAM,KAClB/9C,EAAQlH,MAAQg+D,EAAYpH,SAC5BxjE,KAAK+yE,OAAOlhB,MAAM,KAAOvoD,EAAKtI,KAAO,OAErC8S,EAAQlH,MAAQg+D,EAAYpH,SAC5BxjE,KAAK+yE,OAAOlhB,MAAM/9C,EAAQo/D,iBAAmB,YAE1C,IAAIp/D,EAAQiV,QAA6B,IAAnBoqD,GAAyBC,EAAetoE,OAAS24D,EAAStB,MAAQiR,EAAetoE,OAAS24D,EAASX,KAAiC,MAAxBsQ,EAAe/tE,MAUjJ,CAIL,IAHArF,KAAK+yE,OAAOlhB,MAAM,IAAM7xD,KAAK4sE,QAAQtjE,EAAMwK,EAASg5D,IACpDh5D,EAAQlH,MAAQg+D,EAAYrH,UAEvB7gE,EAAI,EAAGL,GADZ6lE,EAAO5+D,EAAKya,UACWriB,OAAQgB,EAAIL,EAAKK,IACtC6qB,EAAQ26C,EAAKxlE,GACb1C,KAAKizE,eAAe1lD,EAAOzZ,EAASg5D,EAAQ,GAE9Ch5D,EAAQlH,MAAQg+D,EAAYpH,SAC5BxjE,KAAK+yE,OAAOlhB,MAAM7xD,KAAK2sE,OAAOrjE,EAAMwK,EAASg5D,GAAS,KAAOxjE,EAAKtI,KAAO,IAC3E,MAnBEhB,KAAK+yE,OAAOlhB,MAAM,KAClB/9C,EAAQlH,MAAQg+D,EAAYrH,UAC5BzvD,EAAQw/D,sBAERtzE,KAAKizE,eAAeG,EAAgBt/D,EAASg5D,EAAQ,GACrDh5D,EAAQw/D,sBAERx/D,EAAQlH,MAAQg+D,EAAYpH,SAC5BxjE,KAAK+yE,OAAOlhB,MAAM,KAAOvoD,EAAKtI,KAAO,KAcvC,OAFAhB,KAAK+yE,OAAOlhB,MAAM7xD,KAAK4sE,QAAQtjE,EAAMwK,EAASg5D,IAC9Ch5D,EAAQlH,MAAQg+D,EAAYvH,KACrBrjE,KAAKwsE,UAAUljE,EAAMwK,EAASg5D,EACvC,EAEAgG,EAAgBtzE,UAAU8sE,sBAAwB,SAAShjE,EAAMwK,EAASg5D,GACxE,OAAO9sE,KAAK+yE,OAAOlhB,MAAMihB,EAAgB5S,UAAUoM,sBAAsBprE,KAAKlB,KAAMsJ,EAAMwK,EAASg5D,GACrG,EAEAgG,EAAgBtzE,UAAUmF,IAAM,SAAS2E,EAAMwK,EAASg5D,GACtD,OAAO9sE,KAAK+yE,OAAOlhB,MAAMihB,EAAgB5S,UAAUv7D,IAAIzD,KAAKlB,KAAMsJ,EAAMwK,EAASg5D,GACnF,EAEAgG,EAAgBtzE,UAAU6Q,KAAO,SAAS/G,EAAMwK,EAASg5D,GACvD,OAAO9sE,KAAK+yE,OAAOlhB,MAAMihB,EAAgB5S,UAAU7vD,KAAKnP,KAAKlB,KAAMsJ,EAAMwK,EAASg5D,GACpF,EAEAgG,EAAgBtzE,UAAUgnE,WAAa,SAASl9D,EAAMwK,EAASg5D,GAC7D,OAAO9sE,KAAK+yE,OAAOlhB,MAAMihB,EAAgB5S,UAAUsG,WAAWtlE,KAAKlB,KAAMsJ,EAAMwK,EAASg5D,GAC1F,EAEAgG,EAAgBtzE,UAAUmnE,WAAa,SAASr9D,EAAMwK,EAASg5D,GAC7D,OAAO9sE,KAAK+yE,OAAOlhB,MAAMihB,EAAgB5S,UAAUyG,WAAWzlE,KAAKlB,KAAMsJ,EAAMwK,EAASg5D,GAC1F,EAEAgG,EAAgBtzE,UAAU8nE,UAAY,SAASh+D,EAAMwK,EAASg5D,GAC5D,OAAO9sE,KAAK+yE,OAAOlhB,MAAMihB,EAAgB5S,UAAUoH,UAAUpmE,KAAKlB,KAAMsJ,EAAMwK,EAASg5D,GACzF,EAEAgG,EAAgBtzE,UAAUgoE,YAAc,SAASl+D,EAAMwK,EAASg5D,GAC9D,OAAO9sE,KAAK+yE,OAAOlhB,MAAMihB,EAAgB5S,UAAUsH,YAAYtmE,KAAKlB,KAAMsJ,EAAMwK,EAASg5D,GAC3F,EAEOgG,CAER,CAjKkC,CAiKhCD,EAEJ,GAAE3xE,KAAKlB,8BC9KR,WACE,IAAqB6yE,EAEnBxV,EAAU,CAAC,EAAE59D,eAEfozE,EAAgB,EAAQ,OAExB9vE,EAAOC,QAA4B,SAAU48D,GAG3C,SAASgJ,EAAgB90D,GACvB80D,EAAgB1I,UAAUr8D,YAAY3C,KAAKlB,KAAM8T,EACnD,CAiBA,OA3BS,SAASyZ,EAAO/K,GAAU,IAAK,IAAI3V,KAAO2V,EAAc66C,EAAQn8D,KAAKshB,EAAQ3V,KAAM0gB,EAAM1gB,GAAO2V,EAAO3V,IAAQ,SAASozD,IAASjgE,KAAK6D,YAAc0pB,CAAO,CAAE0yC,EAAKzgE,UAAYgjB,EAAOhjB,UAAW+tB,EAAM/tB,UAAY,IAAIygE,EAAQ1yC,EAAM2yC,UAAY19C,EAAOhjB,SAAyB,CAMzRihB,CAAOmoD,EAAiBhJ,GAMxBgJ,EAAgBppE,UAAUiK,SAAW,SAASmwD,EAAK9lD,GACjD,IAAIyZ,EAAO/rB,EAAGa,EAAKgrE,EAAGp1D,EAItB,IAHAnE,EAAU9T,KAAKgkE,cAAclwD,GAC7Bu5D,EAAI,GAEC7rE,EAAI,EAAGa,GADZ4V,EAAM2hD,EAAI71C,UACYriB,OAAQF,EAAIa,EAAKb,IACrC+rB,EAAQtV,EAAIzW,GACZ6rE,GAAKrtE,KAAKizE,eAAe1lD,EAAOzZ,EAAS,GAK3C,OAHIA,EAAQiV,QAAUskD,EAAElsE,OAAO2S,EAAQy/D,QAAQ7xE,UAAYoS,EAAQy/D,UACjElG,EAAIA,EAAElsE,MAAM,GAAI2S,EAAQy/D,QAAQ7xE,SAE3B2rE,CACT,EAEOzE,CAER,CAxBkC,CAwBhCiK,EAEJ,GAAE3xE,KAAKlB,0BCjCR,WACE,IACEoU,EAAO,SAASvU,EAAIm3D,GAAK,OAAO,WAAY,OAAOn3D,EAAG4C,MAAMu0D,EAAI10D,UAAY,CAAG,EAC/E+6D,EAAU,CAAC,EAAE59D,eAEfsD,EAAOC,QAA2B,WAChC,SAAS6lE,EAAe/0D,GAGtB,IAAIjH,EAAKoL,EAAK5S,EAOd,IAAKwH,KATL7M,KAAKwzE,gBAAkBp/D,EAAKpU,KAAKwzE,gBAAiBxzE,MAClDA,KAAKyzE,gBAAkBr/D,EAAKpU,KAAKyzE,gBAAiBzzE,MAElD8T,IAAYA,EAAU,CAAC,GACvB9T,KAAK8T,QAAUA,EACV9T,KAAK8T,QAAQmoB,UAChBj8B,KAAK8T,QAAQmoB,QAAU,OAEzBhkB,EAAMnE,EAAQvO,WAAa,CAAC,EAErB83D,EAAQn8D,KAAK+W,EAAKpL,KACvBxH,EAAQ4S,EAAIpL,GACZ7M,KAAK6M,GAAOxH,EAEhB,CAqNA,OAnNAwjE,EAAerpE,UAAUwB,KAAO,SAASsgB,GACvC,OAAIthB,KAAK8T,QAAQo4D,aACR5qD,EAEFthB,KAAKwzE,gBAAgB,GAAKlyD,GAAO,GAC1C,EAEAunD,EAAerpE,UAAU6Q,KAAO,SAASiR,GACvC,OAAIthB,KAAK8T,QAAQo4D,aACR5qD,EAEFthB,KAAKyzE,gBAAgBzzE,KAAK0zE,WAAW,GAAKpyD,GAAO,IAC1D,EAEAunD,EAAerpE,UAAUi0D,MAAQ,SAASnyC,GACxC,OAAIthB,KAAK8T,QAAQo4D,aACR5qD,GAGTA,GADAA,EAAM,GAAKA,GAAO,IACRvV,QAAQ,MAAO,mBAClB/L,KAAKyzE,gBAAgBnyD,GAC9B,EAEAunD,EAAerpE,UAAUm0D,QAAU,SAASryC,GAC1C,GAAIthB,KAAK8T,QAAQo4D,aACf,OAAO5qD,EAGT,IADAA,EAAM,GAAKA,GAAO,IACVpF,MAAM,MACZ,MAAM,IAAIpQ,MAAM,6CAA+CwV,GAEjE,OAAOthB,KAAKyzE,gBAAgBnyD,EAC9B,EAEAunD,EAAerpE,UAAUmF,IAAM,SAAS2c,GACtC,OAAIthB,KAAK8T,QAAQo4D,aACR5qD,EAEF,GAAKA,GAAO,EACrB,EAEAunD,EAAerpE,UAAUokE,SAAW,SAAStiD,GAC3C,OAAIthB,KAAK8T,QAAQo4D,aACR5qD,EAEFthB,KAAKyzE,gBAAgBzzE,KAAK2zE,UAAUryD,EAAM,GAAKA,GAAO,IAC/D,EAEAunD,EAAerpE,UAAU4sE,UAAY,SAAS9qD,GAC5C,OAAIthB,KAAK8T,QAAQo4D,aACR5qD,EAEFthB,KAAKyzE,gBAAgB,GAAKnyD,GAAO,GAC1C,EAEAunD,EAAerpE,UAAU6sE,SAAW,SAAS/qD,GAC3C,GAAIthB,KAAK8T,QAAQo4D,aACf,OAAO5qD,EAGT,IADAA,EAAM,GAAKA,GAAO,IACVpF,MAAM,OACZ,MAAM,IAAIpQ,MAAM,yCAA2CwV,GAE7D,OAAOthB,KAAKyzE,gBAAgBnyD,EAC9B,EAEAunD,EAAerpE,UAAUooE,WAAa,SAAStmD,GAC7C,GAAIthB,KAAK8T,QAAQo4D,aACf,OAAO5qD,EAGT,KADAA,EAAM,GAAKA,GAAO,IACTpF,MAAM,aACb,MAAM,IAAIpQ,MAAM,2BAA6BwV,GAE/C,OAAOA,CACT,EAEAunD,EAAerpE,UAAUqoE,YAAc,SAASvmD,GAC9C,GAAIthB,KAAK8T,QAAQo4D,aACf,OAAO5qD,EAGT,KADAA,EAAM,GAAKA,GAAO,IACTpF,MAAM,iCACb,MAAM,IAAIpQ,MAAM,qBAAuBwV,GAEzC,OAAOthB,KAAKyzE,gBAAgBnyD,EAC9B,EAEAunD,EAAerpE,UAAUsoE,cAAgB,SAASxmD,GAChD,OAAIthB,KAAK8T,QAAQo4D,aACR5qD,EAELA,EACK,MAEA,IAEX,EAEAunD,EAAerpE,UAAUynE,SAAW,SAAS3lD,GAC3C,OAAIthB,KAAK8T,QAAQo4D,aACR5qD,EAEFthB,KAAKyzE,gBAAgB,GAAKnyD,GAAO,GAC1C,EAEAunD,EAAerpE,UAAU0nE,SAAW,SAAS5lD,GAC3C,OAAIthB,KAAK8T,QAAQo4D,aACR5qD,EAEFthB,KAAKyzE,gBAAgB,GAAKnyD,GAAO,GAC1C,EAEAunD,EAAerpE,UAAUknE,gBAAkB,SAASplD,GAClD,OAAIthB,KAAK8T,QAAQo4D,aACR5qD,EAEFthB,KAAKyzE,gBAAgB,GAAKnyD,GAAO,GAC1C,EAEAunD,EAAerpE,UAAU8mE,WAAa,SAAShlD,GAC7C,OAAIthB,KAAK8T,QAAQo4D,aACR5qD,EAEFthB,KAAKyzE,gBAAgB,GAAKnyD,GAAO,GAC1C,EAEAunD,EAAerpE,UAAU+mE,cAAgB,SAASjlD,GAChD,OAAIthB,KAAK8T,QAAQo4D,aACR5qD,EAEFthB,KAAKyzE,gBAAgB,GAAKnyD,GAAO,GAC1C,EAEAunD,EAAerpE,UAAU6nE,eAAiB,SAAS/lD,GACjD,OAAIthB,KAAK8T,QAAQo4D,aACR5qD,EAEFthB,KAAKyzE,gBAAgB,GAAKnyD,GAAO,GAC1C,EAEAunD,EAAerpE,UAAU4nE,SAAW,SAAS9lD,GAC3C,OAAIthB,KAAK8T,QAAQo4D,aACR5qD,EAEFthB,KAAKyzE,gBAAgB,GAAKnyD,GAAO,GAC1C,EAEAunD,EAAerpE,UAAUuwE,cAAgB,IAEzClH,EAAerpE,UAAU8wE,aAAe,IAExCzH,EAAerpE,UAAU0wE,eAAiB,QAE1CrH,EAAerpE,UAAU2wE,gBAAkB,SAE3CtH,EAAerpE,UAAU4wE,kBAAoB,WAE7CvH,EAAerpE,UAAU6wE,cAAgB,OAEzCxH,EAAerpE,UAAUi0E,gBAAkB,SAAS3yD,GAClD,IAAI0N,EAAOtN,EACX,GAAIlhB,KAAK8T,QAAQo4D,aACf,OAAOprD,EAGT,GADA0N,EAAQ,GACqB,QAAzBxuB,KAAK8T,QAAQmoB,SAEf,GADAzN,EAAQ,gHACJtN,EAAMJ,EAAI5E,MAAMsS,GAClB,MAAM,IAAI1iB,MAAM,gCAAkCgV,EAAM,aAAeI,EAAIxB,YAExE,GAA6B,QAAzB1f,KAAK8T,QAAQmoB,UACtBzN,EAAQ,4FACJtN,EAAMJ,EAAI5E,MAAMsS,IAClB,MAAM,IAAI1iB,MAAM,gCAAkCgV,EAAM,aAAeI,EAAIxB,OAG/E,OAAOoB,CACT,EAEA+nD,EAAerpE,UAAUg0E,gBAAkB,SAAS1yD,GAClD,IAAI0N,EACJ,GAAIxuB,KAAK8T,QAAQo4D,aACf,OAAOprD,EAIT,GAFA9gB,KAAKyzE,gBAAgB3yD,GACrB0N,EAAQ,gXACH1N,EAAI5E,MAAMsS,GACb,MAAM,IAAI1iB,MAAM,6BAElB,OAAOgV,CACT,EAEA+nD,EAAerpE,UAAUk0E,WAAa,SAAS5yD,GAC7C,IAAI8yD,EACJ,OAAI5zE,KAAK8T,QAAQo4D,aACRprD,GAET8yD,EAAW5zE,KAAK8T,QAAQ+/D,iBAAmB,cAAgB,KACpD/yD,EAAI/U,QAAQ6nE,EAAU,SAAS7nE,QAAQ,KAAM,QAAQA,QAAQ,KAAM,QAAQA,QAAQ,MAAO,SACnG,EAEA88D,EAAerpE,UAAUm0E,UAAY,SAAS7yD,GAC5C,IAAI8yD,EACJ,OAAI5zE,KAAK8T,QAAQo4D,aACRprD,GAET8yD,EAAW5zE,KAAK8T,QAAQ+/D,iBAAmB,cAAgB,KACpD/yD,EAAI/U,QAAQ6nE,EAAU,SAAS7nE,QAAQ,KAAM,QAAQA,QAAQ,KAAM,UAAUA,QAAQ,MAAO,SAASA,QAAQ,MAAO,SAASA,QAAQ,MAAO,SACrJ,EAEO88D,CAER,CAvOiC,EAyOnC,GAAE3nE,KAAKlB,8BC9OR,WACE,IAAIyjE,EAAUW,EAEZ/G,EAAU,CAAC,EAAE59D,eAEfgkE,EAAW,EAAQ,OAEnBW,EAAmB,EAAQ,MAE3BrhE,EAAOC,QAAoB,SAAU48D,GAGnC,SAASoL,EAAQxoD,EAAQnS,GAEvB,GADA26D,EAAQ9K,UAAUr8D,YAAY3C,KAAKlB,KAAMwiB,GAC7B,MAARnS,EACF,MAAM,IAAIvE,MAAM,yBAA2B9L,KAAK2jE,aAElD3jE,KAAKgB,KAAO,QACZhB,KAAK8K,KAAO24D,EAAStB,KACrBniE,KAAKqF,MAAQrF,KAAKuF,UAAU8K,KAAKA,EACnC,CA2CA,OA7DS,SAASkd,EAAO/K,GAAU,IAAK,IAAI3V,KAAO2V,EAAc66C,EAAQn8D,KAAKshB,EAAQ3V,KAAM0gB,EAAM1gB,GAAO2V,EAAO3V,IAAQ,SAASozD,IAASjgE,KAAK6D,YAAc0pB,CAAO,CAAE0yC,EAAKzgE,UAAYgjB,EAAOhjB,UAAW+tB,EAAM/tB,UAAY,IAAIygE,EAAQ1yC,EAAM2yC,UAAY19C,EAAOhjB,SAAyB,CAQzRihB,CAAOuqD,EAASpL,GAYhBrgE,OAAOua,eAAekxD,EAAQxrE,UAAW,6BAA8B,CACrEuG,IAAK,WACH,MAAM,IAAI+F,MAAM,sCAAwC9L,KAAK2jE,YAC/D,IAGFpkE,OAAOua,eAAekxD,EAAQxrE,UAAW,YAAa,CACpDuG,IAAK,WACH,IAAIsiB,EAAMyN,EAAMhV,EAGhB,IAFAA,EAAM,GACNgV,EAAO91B,KAAK8zE,gBACLh+C,GACLhV,EAAMgV,EAAKhxB,KAAOgc,EAClBgV,EAAOA,EAAKg+C,gBAId,IAFAhzD,GAAO9gB,KAAK8E,KACZujB,EAAOroB,KAAK+zE,YACL1rD,GACLvH,GAAYuH,EAAKvjB,KACjBujB,EAAOA,EAAK0rD,YAEd,OAAOjzD,CACT,IAGFkqD,EAAQxrE,UAAUsiB,MAAQ,WACxB,OAAOviB,OAAOqB,OAAOZ,KACvB,EAEAgrE,EAAQxrE,UAAUkI,SAAW,SAASoM,GACpC,OAAO9T,KAAK8T,QAAQiwD,OAAO1zD,KAAKrQ,KAAMA,KAAK8T,QAAQiwD,OAAOC,cAAclwD,GAC1E,EAEAk3D,EAAQxrE,UAAUw0E,UAAY,SAAS5rD,GACrC,MAAM,IAAItc,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEAqH,EAAQxrE,UAAUy0E,iBAAmB,SAASC,GAC5C,MAAM,IAAIpoE,MAAM,sCAAwC9L,KAAK2jE,YAC/D,EAEOqH,CAER,CAxD0B,CAwDxB5G,EAEJ,GAAEljE,KAAKlB,8BCnER,WACE,IAAIyjE,EAAUmH,EAA2MlmE,EACvN24D,EAAU,CAAC,EAAE59D,eAEfiF,EAAS,gBAET++D,EAAW,EAAQ,OAEF,EAAQ,OAEZ,EAAQ,MAEV,EAAQ,OAEN,EAAQ,OAER,EAAQ,OAEZ,EAAQ,OAEP,EAAQ,OAES,EAAQ,OAExB,EAAQ,OAEH,EAAQ,OAER,EAAQ,OAET,EAAQ,OAEN,EAAQ,OAEzBmH,EAAc,EAAQ,OAEtB7nE,EAAOC,QAA0B,WAC/B,SAAS6vE,EAAc/+D,GACrB,IAAIjH,EAAKoL,EAAK5S,EAId,IAAKwH,KAHLiH,IAAYA,EAAU,CAAC,GACvB9T,KAAK8T,QAAUA,EACfmE,EAAMnE,EAAQiwD,QAAU,CAAC,EAElB1G,EAAQn8D,KAAK+W,EAAKpL,KACvBxH,EAAQ4S,EAAIpL,GACZ7M,KAAK,IAAM6M,GAAO7M,KAAK6M,GACvB7M,KAAK6M,GAAOxH,EAEhB,CAsXA,OApXAwtE,EAAcrzE,UAAUwkE,cAAgB,SAASlwD,GAC/C,IAAIqgE,EAAiBl8D,EAAKiwD,EAAMC,EAAM0H,EAAMuE,EAAMC,EAAMC,EAmBxD,OAlBAxgE,IAAYA,EAAU,CAAC,GACvBA,EAAUpP,EAAO,CAAC,EAAG1E,KAAK8T,QAASA,IACnCqgE,EAAkB,CAChBpQ,OAAQ/jE,OAEM+oB,OAASjV,EAAQiV,SAAU,EAC3CorD,EAAgBd,WAAav/D,EAAQu/D,aAAc,EACnDc,EAAgBxH,OAAmC,OAAzB10D,EAAMnE,EAAQ64D,QAAkB10D,EAAM,KAChEk8D,EAAgBZ,QAAsC,OAA3BrL,EAAOp0D,EAAQy/D,SAAmBrL,EAAO,KACpEiM,EAAgB/rD,OAAoC,OAA1B+/C,EAAOr0D,EAAQsU,QAAkB+/C,EAAO,EAClEgM,EAAgBI,oBAAoH,OAA7F1E,EAA+C,OAAvCuE,EAAOtgE,EAAQygE,qBAA+BH,EAAOtgE,EAAQ0gE,qBAA+B3E,EAAO,EAClJsE,EAAgBjB,iBAA2G,OAAvFmB,EAA4C,OAApCC,EAAOxgE,EAAQo/D,kBAA4BoB,EAAOxgE,EAAQ2gE,kBAA4BJ,EAAO,IAChG,IAArCF,EAAgBjB,mBAClBiB,EAAgBjB,iBAAmB,KAErCiB,EAAgBb,oBAAsB,EACtCa,EAAgBO,KAAO,CAAC,EACxBP,EAAgBvnE,MAAQg+D,EAAYvH,KAC7B8Q,CACT,EAEAtB,EAAcrzE,UAAUmtE,OAAS,SAASrjE,EAAMwK,EAASg5D,GACvD,IAAI6H,EACJ,OAAK7gE,EAAQiV,QAAUjV,EAAQw/D,oBACtB,GACEx/D,EAAQiV,SACjB4rD,GAAe7H,GAAS,GAAKh5D,EAAQsU,OAAS,GAC5B,EACT,IAAIxmB,MAAM+yE,GAAa/4D,KAAK9H,EAAQ64D,QAGxC,EACT,EAEAkG,EAAcrzE,UAAUotE,QAAU,SAAStjE,EAAMwK,EAASg5D,GACxD,OAAKh5D,EAAQiV,QAAUjV,EAAQw/D,oBACtB,GAEAx/D,EAAQy/D,OAEnB,EAEAV,EAAcrzE,UAAU+yC,UAAY,SAAS2rB,EAAKpqD,EAASg5D,GACzD,IAAIO,EAIJ,OAHArtE,KAAK40E,cAAc1W,EAAKpqD,EAASg5D,GACjCO,EAAI,IAAMnP,EAAIl9D,KAAO,KAAOk9D,EAAI74D,MAAQ,IACxCrF,KAAK60E,eAAe3W,EAAKpqD,EAASg5D,GAC3BO,CACT,EAEAwF,EAAcrzE,UAAUi0D,MAAQ,SAASnqD,EAAMwK,EAASg5D,GACtD,IAAIO,EAUJ,OATArtE,KAAKysE,SAASnjE,EAAMwK,EAASg5D,GAC7Bh5D,EAAQlH,MAAQg+D,EAAYtH,QAC5B+J,EAAIrtE,KAAK2sE,OAAOrjE,EAAMwK,EAASg5D,GAAS,YACxCh5D,EAAQlH,MAAQg+D,EAAYrH,UAC5B8J,GAAK/jE,EAAKjE,MACVyO,EAAQlH,MAAQg+D,EAAYpH,SAC5B6J,GAAK,MAAQrtE,KAAK4sE,QAAQtjE,EAAMwK,EAASg5D,GACzCh5D,EAAQlH,MAAQg+D,EAAYvH,KAC5BrjE,KAAKwsE,UAAUljE,EAAMwK,EAASg5D,GACvBO,CACT,EAEAwF,EAAcrzE,UAAUm0D,QAAU,SAASrqD,EAAMwK,EAASg5D,GACxD,IAAIO,EAUJ,OATArtE,KAAKysE,SAASnjE,EAAMwK,EAASg5D,GAC7Bh5D,EAAQlH,MAAQg+D,EAAYtH,QAC5B+J,EAAIrtE,KAAK2sE,OAAOrjE,EAAMwK,EAASg5D,GAAS,WACxCh5D,EAAQlH,MAAQg+D,EAAYrH,UAC5B8J,GAAK/jE,EAAKjE,MACVyO,EAAQlH,MAAQg+D,EAAYpH,SAC5B6J,GAAK,UAASrtE,KAAK4sE,QAAQtjE,EAAMwK,EAASg5D,GAC1Ch5D,EAAQlH,MAAQg+D,EAAYvH,KAC5BrjE,KAAKwsE,UAAUljE,EAAMwK,EAASg5D,GACvBO,CACT,EAEAwF,EAAcrzE,UAAUuoE,YAAc,SAASz+D,EAAMwK,EAASg5D,GAC5D,IAAIO,EAiBJ,OAhBArtE,KAAKysE,SAASnjE,EAAMwK,EAASg5D,GAC7Bh5D,EAAQlH,MAAQg+D,EAAYtH,QAC5B+J,EAAIrtE,KAAK2sE,OAAOrjE,EAAMwK,EAASg5D,GAAS,QACxCh5D,EAAQlH,MAAQg+D,EAAYrH,UAC5B8J,GAAK,aAAe/jE,EAAK2yB,QAAU,IACd,MAAjB3yB,EAAKo+D,WACP2F,GAAK,cAAgB/jE,EAAKo+D,SAAW,KAEhB,MAAnBp+D,EAAKq+D,aACP0F,GAAK,gBAAkB/jE,EAAKq+D,WAAa,KAE3C7zD,EAAQlH,MAAQg+D,EAAYpH,SAC5B6J,GAAKv5D,EAAQo/D,iBAAmB,KAChC7F,GAAKrtE,KAAK4sE,QAAQtjE,EAAMwK,EAASg5D,GACjCh5D,EAAQlH,MAAQg+D,EAAYvH,KAC5BrjE,KAAKwsE,UAAUljE,EAAMwK,EAASg5D,GACvBO,CACT,EAEAwF,EAAcrzE,UAAUgpE,QAAU,SAASl/D,EAAMwK,EAASg5D,GACxD,IAAIv/C,EAAO/rB,EAAGa,EAAKgrE,EAAGp1D,EAWtB,GAVA60D,IAAUA,EAAQ,GAClB9sE,KAAKysE,SAASnjE,EAAMwK,EAASg5D,GAC7Bh5D,EAAQlH,MAAQg+D,EAAYtH,QAC5B+J,EAAIrtE,KAAK2sE,OAAOrjE,EAAMwK,EAASg5D,GAC/BO,GAAK,aAAe/jE,EAAKmiC,OAAOzqC,KAC5BsI,EAAKw9D,OAASx9D,EAAKy9D,MACrBsG,GAAK,YAAc/jE,EAAKw9D,MAAQ,MAAQx9D,EAAKy9D,MAAQ,IAC5Cz9D,EAAKy9D,QACdsG,GAAK,YAAc/jE,EAAKy9D,MAAQ,KAE9Bz9D,EAAKya,SAASriB,OAAS,EAAG,CAK5B,IAJA2rE,GAAK,KACLA,GAAKrtE,KAAK4sE,QAAQtjE,EAAMwK,EAASg5D,GACjCh5D,EAAQlH,MAAQg+D,EAAYrH,UAEvB/hE,EAAI,EAAGa,GADZ4V,EAAM3O,EAAKya,UACWriB,OAAQF,EAAIa,EAAKb,IACrC+rB,EAAQtV,EAAIzW,GACZ6rE,GAAKrtE,KAAKizE,eAAe1lD,EAAOzZ,EAASg5D,EAAQ,GAEnDh5D,EAAQlH,MAAQg+D,EAAYpH,SAC5B6J,GAAK,GACP,CAMA,OALAv5D,EAAQlH,MAAQg+D,EAAYpH,SAC5B6J,GAAKv5D,EAAQo/D,iBAAmB,IAChC7F,GAAKrtE,KAAK4sE,QAAQtjE,EAAMwK,EAASg5D,GACjCh5D,EAAQlH,MAAQg+D,EAAYvH,KAC5BrjE,KAAKwsE,UAAUljE,EAAMwK,EAASg5D,GACvBO,CACT,EAEAwF,EAAcrzE,UAAUqqC,QAAU,SAASvgC,EAAMwK,EAASg5D,GACxD,IAAI5O,EAAK3wC,EAAO4lD,EAAgBC,EAAgB5xE,EAAGkB,EAAGL,EAAKutE,EAAM5uE,EAAM8zE,EAAkBzH,EAAGp1D,EAAKiwD,EAAMC,EAQvG,IAAKnnE,KAPL8rE,IAAUA,EAAQ,GAClBgI,GAAmB,EACnBzH,EAAI,GACJrtE,KAAKysE,SAASnjE,EAAMwK,EAASg5D,GAC7Bh5D,EAAQlH,MAAQg+D,EAAYtH,QAC5B+J,GAAKrtE,KAAK2sE,OAAOrjE,EAAMwK,EAASg5D,GAAS,IAAMxjE,EAAKtI,KACpDiX,EAAM3O,EAAKuiE,QAEJxO,EAAQn8D,KAAK+W,EAAKjX,KACvBk9D,EAAMjmD,EAAIjX,GACVqsE,GAAKrtE,KAAKuyC,UAAU2rB,EAAKpqD,EAASg5D,IAIpC,GADAsG,EAAoC,KADpCD,EAAiB7pE,EAAKya,SAASriB,QACS,KAAO4H,EAAKya,SAAS,GACtC,IAAnBovD,GAAwB7pE,EAAKya,SAAShB,OAAM,SAAS9d,GACvD,OAAQA,EAAE6F,OAAS24D,EAAStB,MAAQl9D,EAAE6F,OAAS24D,EAASX,MAAoB,KAAZ79D,EAAEI,KACpE,IACMyO,EAAQu/D,YACVhG,GAAK,IACLv5D,EAAQlH,MAAQg+D,EAAYpH,SAC5B6J,GAAK,KAAO/jE,EAAKtI,KAAO,IAAMhB,KAAK4sE,QAAQtjE,EAAMwK,EAASg5D,KAE1Dh5D,EAAQlH,MAAQg+D,EAAYpH,SAC5B6J,GAAKv5D,EAAQo/D,iBAAmB,KAAOlzE,KAAK4sE,QAAQtjE,EAAMwK,EAASg5D,SAEhE,IAAIh5D,EAAQiV,QAA6B,IAAnBoqD,GAAyBC,EAAetoE,OAAS24D,EAAStB,MAAQiR,EAAetoE,OAAS24D,EAASX,KAAiC,MAAxBsQ,EAAe/tE,MAUjJ,CACL,GAAIyO,EAAQygE,oBAEV,IAAK/yE,EAAI,EAAGa,GADZ6lE,EAAO5+D,EAAKya,UACWriB,OAAQF,EAAIa,EAAKb,IAEtC,KADA+rB,EAAQ26C,EAAK1mE,IACFsJ,OAAS24D,EAAStB,MAAQ50C,EAAMziB,OAAS24D,EAASX,MAAwB,MAAfv1C,EAAMloB,MAAgB,CAC1FyO,EAAQw/D,sBACRwB,GAAmB,EACnB,KACF,CAMJ,IAHAzH,GAAK,IAAMrtE,KAAK4sE,QAAQtjE,EAAMwK,EAASg5D,GACvCh5D,EAAQlH,MAAQg+D,EAAYrH,UAEvB7gE,EAAI,EAAGktE,GADZzH,EAAO7+D,EAAKya,UACYriB,OAAQgB,EAAIktE,EAAMltE,IACxC6qB,EAAQ46C,EAAKzlE,GACb2qE,GAAKrtE,KAAKizE,eAAe1lD,EAAOzZ,EAASg5D,EAAQ,GAEnDh5D,EAAQlH,MAAQg+D,EAAYpH,SAC5B6J,GAAKrtE,KAAK2sE,OAAOrjE,EAAMwK,EAASg5D,GAAS,KAAOxjE,EAAKtI,KAAO,IACxD8zE,GACFhhE,EAAQw/D,sBAEVjG,GAAKrtE,KAAK4sE,QAAQtjE,EAAMwK,EAASg5D,GACjCh5D,EAAQlH,MAAQg+D,EAAYvH,IAC9B,MAnCEgK,GAAK,IACLv5D,EAAQlH,MAAQg+D,EAAYrH,UAC5BzvD,EAAQw/D,sBACRwB,GAAmB,EACnBzH,GAAKrtE,KAAKizE,eAAeG,EAAgBt/D,EAASg5D,EAAQ,GAC1Dh5D,EAAQw/D,sBACRwB,GAAmB,EACnBhhE,EAAQlH,MAAQg+D,EAAYpH,SAC5B6J,GAAK,KAAO/jE,EAAKtI,KAAO,IAAMhB,KAAK4sE,QAAQtjE,EAAMwK,EAASg5D,GA6B5D,OADA9sE,KAAKwsE,UAAUljE,EAAMwK,EAASg5D,GACvBO,CACT,EAEAwF,EAAcrzE,UAAUyzE,eAAiB,SAAS3pE,EAAMwK,EAASg5D,GAC/D,OAAQxjE,EAAKwB,MACX,KAAK24D,EAASrB,MACZ,OAAOpiE,KAAKyzD,MAAMnqD,EAAMwK,EAASg5D,GACnC,KAAKrJ,EAASjB,QACZ,OAAOxiE,KAAK2zD,QAAQrqD,EAAMwK,EAASg5D,GACrC,KAAKrJ,EAASxB,QACZ,OAAOjiE,KAAK6pC,QAAQvgC,EAAMwK,EAASg5D,GACrC,KAAKrJ,EAASX,IACZ,OAAO9iE,KAAK2E,IAAI2E,EAAMwK,EAASg5D,GACjC,KAAKrJ,EAAStB,KACZ,OAAOniE,KAAKqQ,KAAK/G,EAAMwK,EAASg5D,GAClC,KAAKrJ,EAASlB,sBACZ,OAAOviE,KAAKssE,sBAAsBhjE,EAAMwK,EAASg5D,GACnD,KAAKrJ,EAASR,MACZ,MAAO,GACT,KAAKQ,EAASZ,YACZ,OAAO7iE,KAAK+nE,YAAYz+D,EAAMwK,EAASg5D,GACzC,KAAKrJ,EAASf,QACZ,OAAO1iE,KAAKwoE,QAAQl/D,EAAMwK,EAASg5D,GACrC,KAAKrJ,EAASV,qBACZ,OAAO/iE,KAAKwmE,WAAWl9D,EAAMwK,EAASg5D,GACxC,KAAKrJ,EAAST,mBACZ,OAAOhjE,KAAK2mE,WAAWr9D,EAAMwK,EAASg5D,GACxC,KAAKrJ,EAASnB,kBACZ,OAAOtiE,KAAKsnE,UAAUh+D,EAAMwK,EAASg5D,GACvC,KAAKrJ,EAASb,oBACZ,OAAO5iE,KAAKwnE,YAAYl+D,EAAMwK,EAASg5D,GACzC,QACE,MAAM,IAAIhhE,MAAM,0BAA4BxC,EAAKzF,YAAY7C,MAEnE,EAEA6xE,EAAcrzE,UAAU8sE,sBAAwB,SAAShjE,EAAMwK,EAASg5D,GACtE,IAAIO,EAcJ,OAbArtE,KAAKysE,SAASnjE,EAAMwK,EAASg5D,GAC7Bh5D,EAAQlH,MAAQg+D,EAAYtH,QAC5B+J,EAAIrtE,KAAK2sE,OAAOrjE,EAAMwK,EAASg5D,GAAS,KACxCh5D,EAAQlH,MAAQg+D,EAAYrH,UAC5B8J,GAAK/jE,EAAKtF,OACNsF,EAAKjE,QACPgoE,GAAK,IAAM/jE,EAAKjE,OAElByO,EAAQlH,MAAQg+D,EAAYpH,SAC5B6J,GAAKv5D,EAAQo/D,iBAAmB,KAChC7F,GAAKrtE,KAAK4sE,QAAQtjE,EAAMwK,EAASg5D,GACjCh5D,EAAQlH,MAAQg+D,EAAYvH,KAC5BrjE,KAAKwsE,UAAUljE,EAAMwK,EAASg5D,GACvBO,CACT,EAEAwF,EAAcrzE,UAAUmF,IAAM,SAAS2E,EAAMwK,EAASg5D,GACpD,IAAIO,EAUJ,OATArtE,KAAKysE,SAASnjE,EAAMwK,EAASg5D,GAC7Bh5D,EAAQlH,MAAQg+D,EAAYtH,QAC5B+J,EAAIrtE,KAAK2sE,OAAOrjE,EAAMwK,EAASg5D,GAC/Bh5D,EAAQlH,MAAQg+D,EAAYrH,UAC5B8J,GAAK/jE,EAAKjE,MACVyO,EAAQlH,MAAQg+D,EAAYpH,SAC5B6J,GAAKrtE,KAAK4sE,QAAQtjE,EAAMwK,EAASg5D,GACjCh5D,EAAQlH,MAAQg+D,EAAYvH,KAC5BrjE,KAAKwsE,UAAUljE,EAAMwK,EAASg5D,GACvBO,CACT,EAEAwF,EAAcrzE,UAAU6Q,KAAO,SAAS/G,EAAMwK,EAASg5D,GACrD,IAAIO,EAUJ,OATArtE,KAAKysE,SAASnjE,EAAMwK,EAASg5D,GAC7Bh5D,EAAQlH,MAAQg+D,EAAYtH,QAC5B+J,EAAIrtE,KAAK2sE,OAAOrjE,EAAMwK,EAASg5D,GAC/Bh5D,EAAQlH,MAAQg+D,EAAYrH,UAC5B8J,GAAK/jE,EAAKjE,MACVyO,EAAQlH,MAAQg+D,EAAYpH,SAC5B6J,GAAKrtE,KAAK4sE,QAAQtjE,EAAMwK,EAASg5D,GACjCh5D,EAAQlH,MAAQg+D,EAAYvH,KAC5BrjE,KAAKwsE,UAAUljE,EAAMwK,EAASg5D,GACvBO,CACT,EAEAwF,EAAcrzE,UAAUgnE,WAAa,SAASl9D,EAAMwK,EAASg5D,GAC3D,IAAIO,EAgBJ,OAfArtE,KAAKysE,SAASnjE,EAAMwK,EAASg5D,GAC7Bh5D,EAAQlH,MAAQg+D,EAAYtH,QAC5B+J,EAAIrtE,KAAK2sE,OAAOrjE,EAAMwK,EAASg5D,GAAS,YACxCh5D,EAAQlH,MAAQg+D,EAAYrH,UAC5B8J,GAAK,IAAM/jE,EAAK48D,YAAc,IAAM58D,EAAK68D,cAAgB,IAAM78D,EAAK88D,cACtC,aAA1B98D,EAAK+8D,mBACPgH,GAAK,IAAM/jE,EAAK+8D,kBAEd/8D,EAAK/E,eACP8oE,GAAK,KAAO/jE,EAAK/E,aAAe,KAElCuP,EAAQlH,MAAQg+D,EAAYpH,SAC5B6J,GAAKv5D,EAAQo/D,iBAAmB,IAAMlzE,KAAK4sE,QAAQtjE,EAAMwK,EAASg5D,GAClEh5D,EAAQlH,MAAQg+D,EAAYvH,KAC5BrjE,KAAKwsE,UAAUljE,EAAMwK,EAASg5D,GACvBO,CACT,EAEAwF,EAAcrzE,UAAUmnE,WAAa,SAASr9D,EAAMwK,EAASg5D,GAC3D,IAAIO,EAUJ,OATArtE,KAAKysE,SAASnjE,EAAMwK,EAASg5D,GAC7Bh5D,EAAQlH,MAAQg+D,EAAYtH,QAC5B+J,EAAIrtE,KAAK2sE,OAAOrjE,EAAMwK,EAASg5D,GAAS,YACxCh5D,EAAQlH,MAAQg+D,EAAYrH,UAC5B8J,GAAK,IAAM/jE,EAAKtI,KAAO,IAAMsI,EAAKjE,MAClCyO,EAAQlH,MAAQg+D,EAAYpH,SAC5B6J,GAAKv5D,EAAQo/D,iBAAmB,IAAMlzE,KAAK4sE,QAAQtjE,EAAMwK,EAASg5D,GAClEh5D,EAAQlH,MAAQg+D,EAAYvH,KAC5BrjE,KAAKwsE,UAAUljE,EAAMwK,EAASg5D,GACvBO,CACT,EAEAwF,EAAcrzE,UAAU8nE,UAAY,SAASh+D,EAAMwK,EAASg5D,GAC1D,IAAIO,EAyBJ,OAxBArtE,KAAKysE,SAASnjE,EAAMwK,EAASg5D,GAC7Bh5D,EAAQlH,MAAQg+D,EAAYtH,QAC5B+J,EAAIrtE,KAAK2sE,OAAOrjE,EAAMwK,EAASg5D,GAAS,WACxCh5D,EAAQlH,MAAQg+D,EAAYrH,UACxBj6D,EAAKu9D,KACPwG,GAAK,MAEPA,GAAK,IAAM/jE,EAAKtI,KACZsI,EAAKjE,MACPgoE,GAAK,KAAO/jE,EAAKjE,MAAQ,KAErBiE,EAAKw9D,OAASx9D,EAAKy9D,MACrBsG,GAAK,YAAc/jE,EAAKw9D,MAAQ,MAAQx9D,EAAKy9D,MAAQ,IAC5Cz9D,EAAKy9D,QACdsG,GAAK,YAAc/jE,EAAKy9D,MAAQ,KAE9Bz9D,EAAK69D,QACPkG,GAAK,UAAY/jE,EAAK69D,QAG1BrzD,EAAQlH,MAAQg+D,EAAYpH,SAC5B6J,GAAKv5D,EAAQo/D,iBAAmB,IAAMlzE,KAAK4sE,QAAQtjE,EAAMwK,EAASg5D,GAClEh5D,EAAQlH,MAAQg+D,EAAYvH,KAC5BrjE,KAAKwsE,UAAUljE,EAAMwK,EAASg5D,GACvBO,CACT,EAEAwF,EAAcrzE,UAAUgoE,YAAc,SAASl+D,EAAMwK,EAASg5D,GAC5D,IAAIO,EAiBJ,OAhBArtE,KAAKysE,SAASnjE,EAAMwK,EAASg5D,GAC7Bh5D,EAAQlH,MAAQg+D,EAAYtH,QAC5B+J,EAAIrtE,KAAK2sE,OAAOrjE,EAAMwK,EAASg5D,GAAS,aACxCh5D,EAAQlH,MAAQg+D,EAAYrH,UAC5B8J,GAAK,IAAM/jE,EAAKtI,KACZsI,EAAKw9D,OAASx9D,EAAKy9D,MACrBsG,GAAK,YAAc/jE,EAAKw9D,MAAQ,MAAQx9D,EAAKy9D,MAAQ,IAC5Cz9D,EAAKw9D,MACduG,GAAK,YAAc/jE,EAAKw9D,MAAQ,IACvBx9D,EAAKy9D,QACdsG,GAAK,YAAc/jE,EAAKy9D,MAAQ,KAElCjzD,EAAQlH,MAAQg+D,EAAYpH,SAC5B6J,GAAKv5D,EAAQo/D,iBAAmB,IAAMlzE,KAAK4sE,QAAQtjE,EAAMwK,EAASg5D,GAClEh5D,EAAQlH,MAAQg+D,EAAYvH,KAC5BrjE,KAAKwsE,UAAUljE,EAAMwK,EAASg5D,GACvBO,CACT,EAEAwF,EAAcrzE,UAAUitE,SAAW,SAASnjE,EAAMwK,EAASg5D,GAAQ,EAEnE+F,EAAcrzE,UAAUgtE,UAAY,SAASljE,EAAMwK,EAASg5D,GAAQ,EAEpE+F,EAAcrzE,UAAUo1E,cAAgB,SAAS1W,EAAKpqD,EAASg5D,GAAQ,EAEvE+F,EAAcrzE,UAAUq1E,eAAiB,SAAS3W,EAAKpqD,EAASg5D,GAAQ,EAEjE+F,CAER,CApYgC,EAsYlC,GAAE3xE,KAAKlB,6BC1aR,WACE,IAAIyjE,EAAUmH,EAAarF,EAAsBuD,EAAamC,EAAe6H,EAAiBlK,EAAiBlkE,EAAQujC,EAAYhwB,EAEnIA,EAAM,EAAQ,OAAcvT,EAASuT,EAAIvT,OAAQujC,EAAahwB,EAAIgwB,WAElEs9B,EAAuB,EAAQ,OAE/BuD,EAAc,EAAQ,OAEtBmC,EAAgB,EAAQ,OAExBrC,EAAkB,EAAQ,OAE1BkK,EAAkB,EAAQ,OAE1BrP,EAAW,EAAQ,OAEnBmH,EAAc,EAAQ,OAEtB7nE,EAAOC,QAAQpC,OAAS,SAASI,EAAMm9D,EAAQtK,EAAS//C,GACtD,IAAI8lD,EAAKnuB,EACT,GAAY,MAARzqC,EACF,MAAM,IAAI8K,MAAM,8BAWlB,OATAgI,EAAUpP,EAAO,CAAC,EAAGy5D,EAAQtK,EAAS//C,GAEtC23B,GADAmuB,EAAM,IAAIkP,EAAYh1D,IACX+1B,QAAQ7oC,GACd8S,EAAQsqD,WACXxE,EAAImO,YAAYj0D,GACM,MAAjBA,EAAQgzD,OAAoC,MAAjBhzD,EAAQizD,OACtCnN,EAAIwT,IAAIt5D,IAGL23B,CACT,EAEA1oC,EAAOC,QAAQ+xE,MAAQ,SAASjhE,EAASo3D,EAAQC,GAC/C,IAAIjD,EAKJ,OAJIjgC,EAAWn0B,KACao3D,GAA1BhD,EAAO,CAACp0D,EAASo3D,IAAuB,GAAIC,EAAQjD,EAAK,GACzDp0D,EAAU,CAAC,GAETo3D,EACK,IAAID,EAAcn3D,EAASo3D,EAAQC,GAEnC,IAAIrC,EAAYh1D,EAE3B,EAEA/Q,EAAOC,QAAQgyE,aAAe,SAASlhE,GACrC,OAAO,IAAI80D,EAAgB90D,EAC7B,EAEA/Q,EAAOC,QAAQiyE,aAAe,SAASlC,EAAQj/D,GAC7C,OAAO,IAAIg/D,EAAgBC,EAAQj/D,EACrC,EAEA/Q,EAAOC,QAAQkyE,eAAiB,IAAI3P,EAEpCxiE,EAAOC,QAAQ+0D,SAAW0L,EAE1B1gE,EAAOC,QAAQmyE,YAAcvK,CAE9B,GAAE1pE,KAAKlB,68BCpCR,MAAwGkoB,EAAhF,QAAZjjB,GAAmG,YAAhF,UAAIw4B,OAAO,SAASE,SAAU,UAAIF,OAAO,SAAS23C,OAAOnwE,EAAEo+B,KAAK1F,QAApF,IAAC14B,EAsBZ,MAAMowE,EACJC,SAAW,GACX,aAAAC,CAAcj1C,GACZtgC,KAAKw1E,cAAcl1C,GAAItgC,KAAKs1E,SAAS90E,KAAK8/B,EAC5C,CACA,eAAAm1C,CAAgBn1C,GACd,MAAM+sC,EAAgB,iBAAL/sC,EAAgBtgC,KAAK01E,cAAcp1C,GAAKtgC,KAAK01E,cAAcp1C,EAAEj8B,KACnE,IAAPgpE,EAIJrtE,KAAKs1E,SAASn/D,OAAOk3D,EAAG,GAHtBnlD,EAAE5kB,KAAK,mCAAoC,CAAEolD,MAAOpoB,EAAG7iB,QAASzd,KAAKopD,cAIzE,CAMA,UAAAA,CAAW9oB,GACT,OAAOA,EAAItgC,KAAKs1E,SAAStjE,QAAQq7D,GAA0B,mBAAbA,EAAE9hC,SAAwB8hC,EAAE9hC,QAAQjL,KAAWtgC,KAAKs1E,QACpG,CACA,aAAAI,CAAcp1C,GACZ,OAAOtgC,KAAKs1E,SAAS79B,WAAW41B,GAAMA,EAAEhpE,KAAOi8B,GACjD,CACA,aAAAk1C,CAAcl1C,GACZ,IAAKA,EAAEj8B,KAAOi8B,EAAE8K,cAAiB9K,EAAE+K,gBAAiB/K,EAAE8F,YAAe9F,EAAExU,QACrE,MAAM,IAAIhgB,MAAM,iBAClB,GAAmB,iBAARw0B,EAAEj8B,IAA0C,iBAAjBi8B,EAAE8K,YACtC,MAAM,IAAIt/B,MAAM,sCAClB,GAAIw0B,EAAE8F,WAAmC,iBAAf9F,EAAE8F,WAAyB9F,EAAE+K,eAA2C,iBAAnB/K,EAAE+K,cAC/E,MAAM,IAAIv/B,MAAM,yBAClB,QAAkB,IAAdw0B,EAAEiL,SAA0C,mBAAbjL,EAAEiL,QACnC,MAAM,IAAIz/B,MAAM,4BAClB,GAAwB,mBAAbw0B,EAAExU,QACX,MAAM,IAAIhgB,MAAM,4BAClB,GAAI,UAAWw0B,GAAuB,iBAAXA,EAAE2E,MAC3B,MAAM,IAAIn5B,MAAM,0BAClB,IAAkC,IAA9B9L,KAAK01E,cAAcp1C,EAAEj8B,IACvB,MAAM,IAAIyH,MAAM,kBACpB,EAEF,MAyBM6pE,EAAI,CAAC,IAAK,KAAM,KAAM,KAAM,KAAM,MAAOC,EAAI,CAAC,IAAK,MAAO,MAAO,MAAO,MAAO,OACrF,SAASC,EAAG5wE,EAAGq7B,GAAI,EAAI+sC,GAAI,EAAIzV,GAAI,GACjCyV,EAAIA,IAAMzV,EAAe,iBAAL3yD,IAAkBA,EAAI6Y,OAAO7Y,IACjD,IAAIuzB,EAAIvzB,EAAI,EAAIsxB,KAAKkvB,MAAMlvB,KAAKlqB,IAAIpH,GAAKsxB,KAAKlqB,IAAIurD,EAAI,IAAM,OAAS,EACrEp/B,EAAIjC,KAAKuL,KAAKurC,EAAIuI,EAAEl0E,OAASi0E,EAAEj0E,QAAU,EAAG82B,GAC5C,MAAMh3B,EAAI6rE,EAAIuI,EAAEp9C,GAAKm9C,EAAEn9C,GACvB,IAAIwiC,GAAK/1D,EAAIsxB,KAAKopB,IAAIiY,EAAI,IAAM,KAAMp/B,IAAIxI,QAAQ,GAClD,OAAa,IAANsQ,GAAkB,IAAN9H,GAAiB,QAANwiC,EAAc,OAAS,OAASqS,EAAIuI,EAAE,GAAKD,EAAE,KAAe3a,EAARxiC,EAAI,EAAQipC,WAAWzG,GAAGhrC,QAAQ,GAASyxC,WAAWzG,GAAG8a,gBAAe,WAAO9a,EAAI,IAAMx5D,EAC7K,CA0CA,IAAIu0E,EAAoB,CAAE9wE,IAAOA,EAAE+wE,QAAU,UAAW/wE,EAAEuyC,OAAS,SAAUvyC,GAArD,CAAyD8wE,GAAK,CAAC,GACvF,MAAME,EACJC,QACA,WAAAryE,CAAYy8B,GACVtgC,KAAKm2E,eAAe71C,GAAItgC,KAAKk2E,QAAU51C,CACzC,CACA,MAAIj8B,GACF,OAAOrE,KAAKk2E,QAAQ7xE,EACtB,CACA,eAAI+mC,GACF,OAAOprC,KAAKk2E,QAAQ9qC,WACtB,CACA,SAAIhgC,GACF,OAAOpL,KAAKk2E,QAAQ9qE,KACtB,CACA,iBAAIigC,GACF,OAAOrrC,KAAKk2E,QAAQ7qC,aACtB,CACA,WAAIE,GACF,OAAOvrC,KAAKk2E,QAAQ3qC,OACtB,CACA,QAAI/tB,GACF,OAAOxd,KAAKk2E,QAAQ14D,IACtB,CACA,aAAI+3B,GACF,OAAOv1C,KAAKk2E,QAAQ3gC,SACtB,CACA,SAAItQ,GACF,OAAOjlC,KAAKk2E,QAAQjxC,KACtB,CACA,UAAIziB,GACF,OAAOxiB,KAAKk2E,QAAQ1zD,MACtB,CACA,WAAI,GACF,OAAOxiB,KAAKk2E,QAAQtyD,OACtB,CACA,UAAIszB,GACF,OAAOl3C,KAAKk2E,QAAQh/B,MACtB,CACA,gBAAIE,GACF,OAAOp3C,KAAKk2E,QAAQ9+B,YACtB,CACA,cAAA++B,CAAe71C,GACb,IAAKA,EAAEj8B,IAAqB,iBAARi8B,EAAEj8B,GACpB,MAAM,IAAIyH,MAAM,cAClB,IAAKw0B,EAAE8K,aAAuC,mBAAjB9K,EAAE8K,YAC7B,MAAM,IAAIt/B,MAAM,gCAClB,GAAI,UAAWw0B,GAAuB,mBAAXA,EAAEl1B,MAC3B,MAAM,IAAIU,MAAM,0BAClB,IAAKw0B,EAAE+K,eAA2C,mBAAnB/K,EAAE+K,cAC/B,MAAM,IAAIv/B,MAAM,kCAClB,IAAKw0B,EAAE9iB,MAAyB,mBAAV8iB,EAAE9iB,KACtB,MAAM,IAAI1R,MAAM,yBAClB,GAAI,YAAaw0B,GAAyB,mBAAbA,EAAEiL,QAC7B,MAAM,IAAIz/B,MAAM,4BAClB,GAAI,cAAew0B,GAA2B,mBAAfA,EAAEiV,UAC/B,MAAM,IAAIzpC,MAAM,8BAClB,GAAI,UAAWw0B,GAAuB,iBAAXA,EAAE2E,MAC3B,MAAM,IAAIn5B,MAAM,iBAClB,GAAI,WAAYw0B,GAAwB,iBAAZA,EAAE9d,OAC5B,MAAM,IAAI1W,MAAM,kBAClB,GAAIw0B,EAAE1c,UAAYrkB,OAAO2R,OAAO6kE,GAAG1vE,SAASi6B,EAAE1c,SAC5C,MAAM,IAAI9X,MAAM,mBAClB,GAAI,WAAYw0B,GAAwB,mBAAZA,EAAE4W,OAC5B,MAAM,IAAIprC,MAAM,2BAClB,GAAI,iBAAkBw0B,GAA8B,mBAAlBA,EAAE8W,aAClC,MAAM,IAAItrC,MAAM,gCACpB,EAEF,MAMGorD,EAAK,WACN,cAAc/zD,OAAOizE,gBAAkB,MAAQjzE,OAAOizE,gBAAkB,GAAIluD,EAAEmd,MAAM,4BAA6BliC,OAAOizE,eAC1H,EA6DGC,EAAK,WACN,cAAclzE,OAAOmzE,mBAAqB,MAAQnzE,OAAOmzE,mBAAqB,GAAIpuD,EAAEmd,MAAM,gCAAiCliC,OAAOmzE,kBACpI,EAsBA,IAAIC,EAAoB,CAAEtxE,IAAOA,EAAEA,EAAE2mC,KAAO,GAAK,OAAQ3mC,EAAEA,EAAE2vC,OAAS,GAAK,SAAU3vC,EAAEA,EAAE+0C,KAAO,GAAK,OAAQ/0C,EAAEA,EAAEotC,OAAS,GAAK,SAAUptC,EAAEA,EAAEuxE,OAAS,GAAK,SAAUvxE,EAAEA,EAAEqnD,MAAQ,IAAM,QAASrnD,EAAEA,EAAEmtC,IAAM,IAAM,MAAOntC,GAA/L,CAAmMsxE,GAAK,CAAC,GAuBjO,MAAM7zE,EAAI,CACR,qBACA,mBACA,YACA,oBACA,0BACA,iBACA,iBACA,kBACA,gBACA,sBACA,qBACA,cACA,YACA,wBACA,cACA,iBACA,iBACA,UACA,yBACC+zE,EAAI,CACLzb,EAAG,OACH0b,GAAI,0BACJC,GAAI,yBACJC,IAAK,6CAUJC,EAAI,WACL,cAAc1zE,OAAO2zE,mBAAqB,MAAQ3zE,OAAO2zE,mBAAqB,IAAIp0E,IAAKS,OAAO2zE,mBAAmB7kE,KAAKhN,GAAM,IAAIA,SAAQ2W,KAAK,IAC/I,EAAGm7D,EAAI,WACL,cAAc5zE,OAAO6zE,mBAAqB,MAAQ7zE,OAAO6zE,mBAAqB,IAAKP,IAAMl3E,OAAO6G,KAAKjD,OAAO6zE,oBAAoB/kE,KAAKhN,GAAM,SAASA,MAAM9B,OAAO6zE,qBAAqB/xE,QAAO2W,KAAK,IACpM,EAAGq7D,EAAK,WACN,MAAO,0CACOF,iCAEVF,yCAGN,EAUGK,EAAK,SAASjyE,GACf,MAAO,4DACU8xE,8HAKbF,iGAKe,WAAKxzC,0nBA0BRp+B,yXAkBlB,EAgDA,IAAIkyE,EAAoB,CAAElyE,IAAOA,EAAEqoC,OAAS,SAAUroC,EAAEwqC,KAAO,OAAQxqC,GAA/C,CAAmDkyE,GAAK,CAAC,GAsBjF,MAAMC,EAAI,SAASnyE,EAAGq7B,GACpB,OAAsB,OAAfr7B,EAAEiX,MAAMokB,EACjB,EAAG+2C,EAAI,CAACpyE,EAAGq7B,KACT,GAAIr7B,EAAEZ,IAAqB,iBAARY,EAAEZ,GACnB,MAAM,IAAIyH,MAAM,4BAClB,IAAK7G,EAAE8hB,OACL,MAAM,IAAIjb,MAAM,4BAClB,IACE,IAAItB,IAAIvF,EAAE8hB,OACZ,CAAE,MACA,MAAM,IAAIjb,MAAM,oDAClB,CACA,IAAK7G,EAAE8hB,OAAO9T,WAAW,QACvB,MAAM,IAAInH,MAAM,oDAClB,GAAI7G,EAAE66C,SAAW76C,EAAE66C,iBAAiBl6C,MAClC,MAAM,IAAIkG,MAAM,sBAClB,GAAI7G,EAAEqyE,UAAYryE,EAAEqyE,kBAAkB1xE,MACpC,MAAM,IAAIkG,MAAM,uBAClB,IAAK7G,EAAEsyE,MAAyB,iBAAVtyE,EAAEsyE,OAAqBtyE,EAAEsyE,KAAKr7D,MAAM,yBACxD,MAAM,IAAIpQ,MAAM,qCAClB,GAAI,SAAU7G,GAAsB,iBAAVA,EAAEwN,WAA+B,IAAXxN,EAAEwN,KAChD,MAAM,IAAI3G,MAAM,qBAClB,GAAI,gBAAiB7G,QAAuB,IAAlBA,EAAEymC,eAAoD,iBAAjBzmC,EAAEymC,aAA2BzmC,EAAEymC,aAAe6qC,EAAE3qC,MAAQ3mC,EAAEymC,aAAe6qC,EAAEnkC,KACxI,MAAM,IAAItmC,MAAM,uBAClB,GAAI7G,EAAEuyE,OAAqB,OAAZvyE,EAAEuyE,OAAoC,iBAAXvyE,EAAEuyE,MAC1C,MAAM,IAAI1rE,MAAM,sBAClB,GAAI7G,EAAE6pC,YAAqC,iBAAhB7pC,EAAE6pC,WAC3B,MAAM,IAAIhjC,MAAM,2BAClB,GAAI7G,EAAEwmC,MAAyB,iBAAVxmC,EAAEwmC,KACrB,MAAM,IAAI3/B,MAAM,qBAClB,GAAI7G,EAAEwmC,OAASxmC,EAAEwmC,KAAKx4B,WAAW,KAC/B,MAAM,IAAInH,MAAM,wCAClB,GAAI7G,EAAEwmC,OAASxmC,EAAE8hB,OAAO1gB,SAASpB,EAAEwmC,MACjC,MAAM,IAAI3/B,MAAM,mCAClB,GAAI7G,EAAEwmC,MAAQ2rC,EAAEnyE,EAAE8hB,OAAQuZ,GAAI,CAC5B,MAAM+sC,EAAIpoE,EAAE8hB,OAAO7K,MAAMokB,GAAG,GAC5B,IAAKr7B,EAAE8hB,OAAO1gB,UAAS,UAAGgnE,EAAGpoE,EAAEwmC,OAC7B,MAAM,IAAI3/B,MAAM,4DACpB,CACA,GAAI7G,EAAEmE,SAAW7J,OAAO2R,OAAOumE,GAAGpxE,SAASpB,EAAEmE,QAC3C,MAAM,IAAI0C,MAAM,oCAAoC,EAuBxD,IAAI2rE,EAAoB,CAAExyE,IAAOA,EAAEyyE,IAAM,MAAOzyE,EAAE0yE,OAAS,SAAU1yE,EAAEguC,QAAU,UAAWhuC,EAAE2yE,OAAS,SAAU3yE,GAAzF,CAA6FwyE,GAAK,CAAC,GAC3H,MAAMI,EACJC,MACA//B,YACAggC,iBAAmB,mCACnB,WAAAl0E,CAAYy8B,EAAG+sC,GACbgK,EAAE/2C,EAAG+sC,GAAKrtE,KAAK+3E,kBAAmB/3E,KAAK83E,MAAQx3C,EAC/C,MAAMs3B,EAAI,CAER7kD,IAAK,CAACylB,EAAGh3B,EAAGw5D,KAAOh7D,KAAKg4E,cAAerkE,QAAQZ,IAAIylB,EAAGh3B,EAAGw5D,IACzDid,eAAgB,CAACz/C,EAAGh3B,KAAOxB,KAAKg4E,cAAerkE,QAAQskE,eAAez/C,EAAGh3B,KAG3ExB,KAAK+3C,YAAc,IAAIv0C,MAAM88B,EAAEwO,YAAc,CAAC,EAAG8oB,UAAW53D,KAAK83E,MAAMhpC,WAAYu+B,IAAMrtE,KAAK+3E,iBAAmB1K,EACnH,CAIA,UAAItmD,GACF,OAAO/mB,KAAK83E,MAAM/wD,OAAOhb,QAAQ,OAAQ,GAC3C,CAIA,iBAAIwvC,GACF,MAAQjxC,OAAQg2B,GAAM,IAAI91B,IAAIxK,KAAK+mB,QACnC,OAAOuZ,GAAI,QAAGtgC,KAAK+mB,OAAO5lB,MAAMm/B,EAAE5+B,QACpC,CAIA,YAAIqtC,GACF,OAAO,cAAG/uC,KAAK+mB,OACjB,CAIA,aAAIyyB,GACF,OAAO,aAAGx5C,KAAK+mB,OACjB,CAKA,WAAIwmB,GACF,GAAIvtC,KAAKyrC,KAAM,CACb,IAAI4hC,EAAIrtE,KAAK+mB,OACb/mB,KAAKk4E,iBAAmB7K,EAAIA,EAAE3xD,MAAM1b,KAAK+3E,kBAAkBzxD,OAC3D,MAAMsxC,EAAIyV,EAAEn3D,QAAQlW,KAAKyrC,MAAOjT,EAAIx4B,KAAKyrC,KAAK1/B,QAAQ,MAAO,IAC7D,OAAO,aAAEshE,EAAElsE,MAAMy2D,EAAIp/B,EAAE92B,SAAW,IACpC,CACA,MAAM4+B,EAAI,IAAI91B,IAAIxK,KAAK+mB,QACvB,OAAO,aAAEuZ,EAAE3H,SACb,CAIA,QAAI4+C,GACF,OAAOv3E,KAAK83E,MAAMP,IACpB,CAIA,SAAIz3B,GACF,OAAO9/C,KAAK83E,MAAMh4B,KACpB,CAIA,UAAIw3B,GACF,OAAOt3E,KAAK83E,MAAMR,MACpB,CAIA,QAAI7kE,GACF,OAAOzS,KAAK83E,MAAMrlE,IACpB,CAIA,cAAIq8B,GACF,OAAO9uC,KAAK+3C,WACd,CAIA,eAAIrM,GACF,OAAsB,OAAf1rC,KAAKw3E,OAAmBx3E,KAAKk4E,oBAAqD,IAA3Bl4E,KAAK83E,MAAMpsC,YAAyB1rC,KAAK83E,MAAMpsC,YAAc6qC,EAAE3qC,KAAxE2qC,EAAEv8B,IACzD,CAIA,SAAIw9B,GACF,OAAOx3E,KAAKk4E,eAAiBl4E,KAAK83E,MAAMN,MAAQ,IAClD,CAIA,kBAAIU,GACF,OAAOd,EAAEp3E,KAAK+mB,OAAQ/mB,KAAK+3E,iBAC7B,CAIA,QAAItsC,GACF,OAAOzrC,KAAK83E,MAAMrsC,KAAOzrC,KAAK83E,MAAMrsC,KAAK1/B,QAAQ,WAAY,MAAQ/L,KAAKk4E,iBAAkB,aAAEl4E,KAAK+mB,QAAQrL,MAAM1b,KAAK+3E,kBAAkBzxD,OAAS,IACnJ,CAIA,QAAIzT,GACF,GAAI7S,KAAKyrC,KAAM,CACb,IAAInL,EAAItgC,KAAK+mB,OACb/mB,KAAKk4E,iBAAmB53C,EAAIA,EAAE5kB,MAAM1b,KAAK+3E,kBAAkBzxD,OAC3D,MAAM+mD,EAAI/sC,EAAEpqB,QAAQlW,KAAKyrC,MAAOmsB,EAAI53D,KAAKyrC,KAAK1/B,QAAQ,MAAO,IAC7D,OAAOu0B,EAAEn/B,MAAMksE,EAAIzV,EAAEl2D,SAAW,GAClC,CACA,OAAQ1B,KAAKutC,QAAU,IAAMvtC,KAAK+uC,UAAUhjC,QAAQ,QAAS,IAC/D,CAKA,UAAIk6B,GACF,OAAOjmC,KAAK83E,OAAOzzE,IAAMrE,KAAK8uC,YAAY7I,MAC5C,CAIA,UAAI78B,GACF,OAAOpJ,KAAK83E,OAAO1uE,MACrB,CAIA,UAAIA,CAAOk3B,GACTtgC,KAAK83E,MAAM1uE,OAASk3B,CACtB,CAOA,IAAA63C,CAAK73C,GACH+2C,EAAE,IAAKr3E,KAAK83E,MAAO/wD,OAAQuZ,GAAKtgC,KAAK+3E,kBAAmB/3E,KAAK83E,MAAM/wD,OAASuZ,EAAGtgC,KAAKg4E,aACtF,CAOA,MAAAx8B,CAAOlb,GACL,GAAIA,EAAEj6B,SAAS,KACb,MAAM,IAAIyF,MAAM,oBAClB9L,KAAKm4E,MAAK,aAAEn4E,KAAK+mB,QAAU,IAAMuZ,EACnC,CAIA,WAAA03C,GACEh4E,KAAK83E,MAAMh4B,QAAU9/C,KAAK83E,MAAMh4B,MAAwB,IAAIl6C,KAC9D,EAuBF,MAAMwyE,UAAWP,EACf,QAAI/sE,GACF,OAAOqsE,EAAE1nC,IACX,EAuBF,MAAMh2B,UAAWo+D,EACf,WAAAh0E,CAAYy8B,GACV+3C,MAAM,IACD/3C,EACHi3C,KAAM,wBAEV,CACA,QAAIzsE,GACF,OAAOqsE,EAAE7pC,MACX,CACA,aAAIkM,GACF,OAAO,IACT,CACA,QAAI+9B,GACF,MAAO,sBACT,EAwBF,MAAM51E,EAAK,WAAU,WAAK0hC,MAAOi1C,GAAK,uBAAG,OAAQC,EAAK,SAAStzE,EAAIqzE,EAAIh4C,EAAI,CAAC,GAC1E,MAAM+sC,GAAI,QAAGpoE,EAAG,CAAEw2C,QAASnb,IAC3B,SAASs3B,EAAEp2D,GACT6rE,EAAEmL,WAAW,IACRl4C,EAEH,mBAAoB,iBAEpBm4C,aAAcj3E,GAAK,IAEvB,CACA,OAAO,QAAGo2D,GAAIA,GAAE,YAAO,UAAK8gB,MAAM,SAAS,CAACl3E,EAAGw5D,KAC7C,MAAMmW,EAAInW,EAAEvf,QACZ,OAAO01B,GAAGjrE,SAAW80D,EAAE90D,OAASirE,EAAEjrE,cAAeirE,EAAEjrE,QAASyyE,MAAMn3E,EAAGw5D,EAAE,IACrEqS,CACN,EAAGuL,EAAKtpE,MAAOrK,EAAGq7B,EAAI,IAAK+sC,EAAI1rE,WAAcsD,EAAEwuC,qBAAqB,GAAG45B,IAAI/sC,IAAK,CAC9E4T,SAAS,EACTpvC,KAndO,+CACYiyE,iCAEfF,wIAidJp7B,QAAS,CAEPv1C,OAAQ,UAEV2yE,aAAa,KACX/zE,KAAKkN,QAAQwmB,GAAMA,EAAEgwB,WAAaloB,IAAGruB,KAAKumB,GAAMsgD,EAAGtgD,EAAG60C,KAAKyL,EAAK,SAAS7zE,EAAGq7B,EAAI3+B,EAAI0rE,EAAIiL,GAC1F,MAAM1gB,EAAI3yD,EAAE0e,MAAO6U,EAlYV,SAASvzB,EAAI,IACtB,IAAIq7B,EAAIi2C,EAAE3qC,KACV,OAAO3mC,KAAOA,EAAEoB,SAAS,MAAQpB,EAAEoB,SAAS,QAAUi6B,GAAKi2C,EAAE3hC,QAAS3vC,EAAEoB,SAAS,OAASi6B,GAAKi2C,EAAEv8B,OAAQ/0C,EAAEoB,SAAS,MAAQpB,EAAEoB,SAAS,MAAQpB,EAAEoB,SAAS,QAAUi6B,GAAKi2C,EAAElkC,QAASptC,EAAEoB,SAAS,OAASi6B,GAAKi2C,EAAEC,QAASvxE,EAAEoB,SAAS,OAASi6B,GAAKi2C,EAAEjqB,QAAShsB,CAC9P,CA+XyBy4C,CAAGnhB,GAAGlsB,aAAclqC,EAAIo2D,IAAI,cAAe,WAAKv0B,IAAK23B,EAAI,CAC9E32D,GAAIuzD,GAAG3xB,QAAU,EACjBlf,OAAQ,GAAGsmD,IAAIpoE,EAAEujD,WACjB1I,MAAO,IAAIl6C,KAAKA,KAAKZ,MAAMC,EAAE+zE,UAC7BzB,KAAMtyE,EAAEsyE,KACR9kE,KAAMmlD,GAAGnlD,MAAQqL,OAAOoyB,SAAS0nB,EAAEqhB,kBAAoB,KACvDvtC,YAAalT,EACbg/C,MAAOh2E,EACPiqC,KAAMnL,EACNwO,WAAY,IACP7pC,KACA2yD,EACHshB,WAAYthB,IAAI,iBAGpB,cAAcoD,EAAElsB,YAAYnrB,MAAkB,SAAX1e,EAAE6F,KAAkB,IAAIstE,EAAGpd,GAAK,IAAIvhD,EAAGuhD,EAC5E,EAsBA,MAAMme,EACJC,OAAS,GACTC,aAAe,KACf,QAAAzqB,CAAStuB,GACP,GAAItgC,KAAKo5E,OAAOt0C,MAAMuoC,GAAMA,EAAEhpE,KAAOi8B,EAAEj8B,KACrC,MAAM,IAAIyH,MAAM,WAAWw0B,EAAEj8B,4BAC/BrE,KAAKo5E,OAAO54E,KAAK8/B,EACnB,CACA,MAAAswC,CAAOtwC,GACL,MAAM+sC,EAAIrtE,KAAKo5E,OAAO3hC,WAAWmgB,GAAMA,EAAEvzD,KAAOi8B,KACzC,IAAP+sC,GAAYrtE,KAAKo5E,OAAOjjE,OAAOk3D,EAAG,EACpC,CACA,SAAIxoC,GACF,OAAO7kC,KAAKo5E,MACd,CACA,SAAAh0C,CAAU9E,GACRtgC,KAAKq5E,aAAe/4C,CACtB,CACA,UAAI8M,GACF,OAAOptC,KAAKq5E,YACd,EAEF,MAAMC,EAAK,WACT,cAAcn2E,OAAOo2E,eAAiB,MAAQp2E,OAAOo2E,eAAiB,IAAIJ,EAAMjxD,EAAEmd,MAAM,mCAAoCliC,OAAOo2E,cACrI,EAsBA,MAAMC,EACJC,QACA,WAAA51E,CAAYy8B,GACVo5C,EAAGp5C,GAAItgC,KAAKy5E,QAAUn5C,CACxB,CACA,MAAIj8B,GACF,OAAOrE,KAAKy5E,QAAQp1E,EACtB,CACA,SAAI+G,GACF,OAAOpL,KAAKy5E,QAAQruE,KACtB,CACA,UAAIyY,GACF,OAAO7jB,KAAKy5E,QAAQ51D,MACtB,CACA,QAAIjG,GACF,OAAO5d,KAAKy5E,QAAQ77D,IACtB,CACA,WAAImyB,GACF,OAAO/vC,KAAKy5E,QAAQ1pC,OACtB,EAEF,MAAM2pC,EAAK,SAASz0E,GAClB,IAAKA,EAAEZ,IAAqB,iBAARY,EAAEZ,GACpB,MAAM,IAAIyH,MAAM,2BAClB,IAAK7G,EAAEmG,OAA2B,iBAAXnG,EAAEmG,MACvB,MAAM,IAAIU,MAAM,8BAClB,IAAK7G,EAAE4e,QAA6B,mBAAZ5e,EAAE4e,OACxB,MAAM,IAAI/X,MAAM,iCAClB,GAAI7G,EAAE2Y,MAAyB,mBAAV3Y,EAAE2Y,KACrB,MAAM,IAAI9R,MAAM,0CAClB,GAAI7G,EAAE8qC,SAA+B,mBAAb9qC,EAAE8qC,QACxB,MAAM,IAAIjkC,MAAM,qCAClB,OAAO,CACT,EACA,IAAIklD,EAAI,CAAC,EAAG2oB,EAAI,CAAC,GACjB,SAAU10E,GACR,MAAMq7B,EAAI,gLAAyOs3B,EAAI,IAAMt3B,EAAI,KAAlEA,EAAwD,iDAA2B9H,EAAI,IAAIld,OAAO,IAAMs8C,EAAI,KAgB3S3yD,EAAE20E,QAAU,SAASzI,GACnB,cAAcA,EAAI,GACpB,EAAGlsE,EAAE40E,cAAgB,SAAS1I,GAC5B,OAAiC,IAA1B5xE,OAAO6G,KAAK+qE,GAAGzvE,MACxB,EAAGuD,EAAE60E,MAAQ,SAAS3I,EAAG1pE,EAAGyC,GAC1B,GAAIzC,EAAG,CACL,MAAMhG,EAAIlC,OAAO6G,KAAKqB,GAAIsyE,EAAIt4E,EAAEC,OAChC,IAAK,IAAIkf,EAAI,EAAGA,EAAIm5D,EAAGn5D,IACJuwD,EAAE1vE,EAAEmf,IAAf,WAAN1W,EAA2B,CAACzC,EAAEhG,EAAEmf,KAAiBnZ,EAAEhG,EAAEmf,GACzD,CACF,EAAG3b,EAAEi+D,SAAW,SAASiO,GACvB,OAAOlsE,EAAE20E,QAAQzI,GAAKA,EAAI,EAC5B,EAAGlsE,EAAE+0E,OAhBE,SAAS7I,GACd,MAAM1pE,EAAI+wB,EAAEhb,KAAK2zD,GACjB,QAAe,OAAN1pE,UAAqBA,EAAI,IACpC,EAaiBxC,EAAEg1E,cA5BkS,SAAS9I,EAAG1pE,GAC/T,MAAMyC,EAAI,GACV,IAAIzI,EAAIgG,EAAE+V,KAAK2zD,GACf,KAAO1vE,GAAK,CACV,MAAMs4E,EAAI,GACVA,EAAEr0B,WAAaj+C,EAAE2+C,UAAY3kD,EAAE,GAAGC,OAClC,MAAMkf,EAAInf,EAAEC,OACZ,IAAK,IAAI0B,EAAI,EAAGA,EAAIwd,EAAGxd,IACrB22E,EAAEv5E,KAAKiB,EAAE2B,IACX8G,EAAE1J,KAAKu5E,GAAIt4E,EAAIgG,EAAE+V,KAAK2zD,EACxB,CACA,OAAOjnE,CACT,EAgBsCjF,EAAEi1E,WAAatiB,CACtD,CA9BD,CA8BG+hB,GACH,MAAMQ,EAAIR,EAAGS,EAAK,CAChBC,wBAAwB,EAExBC,aAAc,IAkGhB,SAASC,EAAEt1E,GACT,MAAa,MAANA,GAAmB,OAANA,GAAmB,OAANA,GACxB,OAANA,CACL,CACA,SAASu1E,EAAEv1E,EAAGq7B,GACZ,MAAM+sC,EAAI/sC,EACV,KAAOA,EAAIr7B,EAAEvD,OAAQ4+B,IACnB,GAAY,KAARr7B,EAAEq7B,IAAqB,KAARr7B,EAAEq7B,GAAW,CAC9B,MAAMs3B,EAAI3yD,EAAE0jB,OAAO0kD,EAAG/sC,EAAI+sC,GAC1B,GAAI/sC,EAAI,GAAW,QAANs3B,EACX,OAAOz9C,GAAE,aAAc,6DAA8DsgE,GAAEx1E,EAAGq7B,IAC5F,GAAY,KAARr7B,EAAEq7B,IAAyB,KAAZr7B,EAAEq7B,EAAI,GAAW,CAClCA,IACA,KACF,CACE,QACJ,CACF,OAAOA,CACT,CACA,SAASo6C,EAAEz1E,EAAGq7B,GACZ,GAAIr7B,EAAEvD,OAAS4+B,EAAI,GAAkB,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAChD,IAAKA,GAAK,EAAGA,EAAIr7B,EAAEvD,OAAQ4+B,IACzB,GAAa,MAATr7B,EAAEq7B,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,GAAY,CACxDA,GAAK,EACL,KACF,OACG,GAAIr7B,EAAEvD,OAAS4+B,EAAI,GAAkB,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,GAAY,CACvK,IAAI+sC,EAAI,EACR,IAAK/sC,GAAK,EAAGA,EAAIr7B,EAAEvD,OAAQ4+B,IACzB,GAAa,MAATr7B,EAAEq7B,GACJ+sC,SACG,GAAa,MAATpoE,EAAEq7B,KAAe+sC,IAAW,IAANA,GAC7B,KACN,MAAO,GAAIpoE,EAAEvD,OAAS4+B,EAAI,GAAkB,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,GAC3J,IAAKA,GAAK,EAAGA,EAAIr7B,EAAEvD,OAAQ4+B,IACzB,GAAa,MAATr7B,EAAEq7B,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,GAAY,CACxDA,GAAK,EACL,KACF,CAEJ,OAAOA,CACT,CAzIA0wB,EAAE2pB,SAAW,SAAS11E,EAAGq7B,GACvBA,EAAI/gC,OAAOmF,OAAO,CAAC,EAAG01E,EAAI95C,GAC1B,MAAM+sC,EAAI,GACV,IAAIzV,GAAI,EAAIp/B,GAAI,EACP,WAATvzB,EAAE,KAAoBA,EAAIA,EAAE0jB,OAAO,IACnC,IAAK,IAAInnB,EAAI,EAAGA,EAAIyD,EAAEvD,OAAQF,IAC5B,GAAa,MAATyD,EAAEzD,IAA2B,MAAbyD,EAAEzD,EAAI,IACxB,GAAIA,GAAK,EAAGA,EAAIg5E,EAAEv1E,EAAGzD,GAAIA,EAAEuf,IACzB,OAAOvf,MACJ,IAAa,MAATyD,EAAEzD,GAyEN,CACL,GAAI+4E,EAAEt1E,EAAEzD,IACN,SACF,OAAO2Y,GAAE,cAAe,SAAWlV,EAAEzD,GAAK,qBAAsBi5E,GAAEx1E,EAAGzD,GACvE,CA7EyB,CACvB,IAAIw5D,EAAIx5D,EACR,GAAIA,IAAc,MAATyD,EAAEzD,GAAY,CACrBA,EAAIk5E,EAAEz1E,EAAGzD,GACT,QACF,CAAO,CACL,IAAI2vE,GAAI,EACC,MAATlsE,EAAEzD,KAAe2vE,GAAI,EAAI3vE,KACzB,IAAIiG,EAAI,GACR,KAAOjG,EAAIyD,EAAEvD,QAAmB,MAATuD,EAAEzD,IAAuB,MAATyD,EAAEzD,IAAuB,OAATyD,EAAEzD,IAAuB,OAATyD,EAAEzD,IACnE,OAATyD,EAAEzD,GAAaA,IACViG,GAAKxC,EAAEzD,GACT,GAAIiG,EAAIA,EAAE2W,OAA4B,MAApB3W,EAAEA,EAAE/F,OAAS,KAAe+F,EAAIA,EAAE0qD,UAAU,EAAG1qD,EAAE/F,OAAS,GAAIF,MAAOo5E,GAAGnzE,GAAI,CAC5F,IAAIsyE,EACJ,OAA+BA,EAAJ,IAApBtyE,EAAE2W,OAAO1c,OAAmB,2BAAiC,QAAU+F,EAAI,wBAAyB0S,GAAE,aAAc4/D,EAAGU,GAAEx1E,EAAGzD,GACrI,CACA,MAAM0I,EAAI2wE,EAAG51E,EAAGzD,GAChB,IAAU,IAAN0I,EACF,OAAOiQ,GAAE,cAAe,mBAAqB1S,EAAI,qBAAsBgzE,GAAEx1E,EAAGzD,IAC9E,IAAIC,EAAIyI,EAAE7E,MACV,GAAI7D,EAAI0I,EAAEwV,MAA2B,MAApBje,EAAEA,EAAEC,OAAS,GAAY,CACxC,MAAMq4E,EAAIv4E,EAAIC,EAAEC,OAChBD,EAAIA,EAAE0wD,UAAU,EAAG1wD,EAAEC,OAAS,GAC9B,MAAMkf,EAAIk6D,GAAEr5E,EAAG6+B,GACf,IAAU,IAAN1f,EAGF,OAAOzG,GAAEyG,EAAEG,IAAI6uC,KAAMhvC,EAAEG,IAAIsW,IAAKojD,GAAEx1E,EAAG80E,EAAIn5D,EAAEG,IAAI2wC,OAF/CkG,GAAI,CAGR,MAAO,GAAIuZ,EACT,KAAIjnE,EAAE6wE,UAgBJ,OAAO5gE,GAAE,aAAc,gBAAkB1S,EAAI,iCAAkCgzE,GAAEx1E,EAAGzD,IAfpF,GAAIC,EAAE2c,OAAO1c,OAAS,EACpB,OAAOyY,GAAE,aAAc,gBAAkB1S,EAAI,+CAAgDgzE,GAAEx1E,EAAG+1D,IACpG,CACE,MAAM+e,EAAI1M,EAAE/mD,MACZ,GAAI7e,IAAMsyE,EAAE7mB,QAAS,CACnB,IAAItyC,EAAI65D,GAAEx1E,EAAG80E,EAAEiB,aACf,OAAO7gE,GACL,aACA,yBAA2B4/D,EAAE7mB,QAAU,qBAAuBtyC,EAAE8wC,KAAO,SAAW9wC,EAAEq6D,IAAM,6BAA+BxzE,EAAI,KAC7HgzE,GAAEx1E,EAAG+1D,GAET,CACY,GAAZqS,EAAE3rE,SAAgB82B,GAAI,EACxB,CAEuF,KACtF,CACH,MAAMuhD,EAAIe,GAAEr5E,EAAG6+B,GACf,IAAU,IAANy5C,EACF,OAAO5/D,GAAE4/D,EAAEh5D,IAAI6uC,KAAMmqB,EAAEh5D,IAAIsW,IAAKojD,GAAEx1E,EAAGzD,EAAIC,EAAEC,OAASq4E,EAAEh5D,IAAI2wC,OAC5D,IAAU,IAANl5B,EACF,OAAOre,GAAE,aAAc,sCAAuCsgE,GAAEx1E,EAAGzD,KACtC,IAA/B8+B,EAAEg6C,aAAapkE,QAAQzO,IAAa4lE,EAAE7sE,KAAK,CAAE0yD,QAASzrD,EAAGuzE,YAAahgB,IAAMpD,GAAI,CAClF,CACA,IAAKp2D,IAAKA,EAAIyD,EAAEvD,OAAQF,IACtB,GAAa,MAATyD,EAAEzD,GACJ,IAAiB,MAAbyD,EAAEzD,EAAI,GAAY,CACpBA,IAAKA,EAAIk5E,EAAEz1E,EAAGzD,GACd,QACF,CAAO,GAAiB,MAAbyD,EAAEzD,EAAI,GAIf,MAHA,GAAIA,EAAIg5E,EAAEv1E,IAAKzD,GAAIA,EAAEuf,IACnB,OAAOvf,CAEJ,MACJ,GAAa,MAATyD,EAAEzD,GAAY,CACrB,MAAMu4E,EAAImB,GAAGj2E,EAAGzD,GAChB,IAAU,GAANu4E,EACF,OAAO5/D,GAAE,cAAe,4BAA6BsgE,GAAEx1E,EAAGzD,IAC5DA,EAAIu4E,CACN,MAAO,IAAU,IAANvhD,IAAa+hD,EAAEt1E,EAAEzD,IAC1B,OAAO2Y,GAAE,aAAc,wBAAyBsgE,GAAEx1E,EAAGzD,IAChD,MAATyD,EAAEzD,IAAcA,GAClB,CACF,CAIA,CACF,OAAIo2D,EACc,GAAZyV,EAAE3rE,OACGyY,GAAE,aAAc,iBAAmBkzD,EAAE,GAAGna,QAAU,KAAMunB,GAAEx1E,EAAGooE,EAAE,GAAG2N,gBACvE3N,EAAE3rE,OAAS,IACNyY,GAAE,aAAc,YAAcpV,KAAKQ,UAAU8nE,EAAEp7D,KAAKzQ,GAAMA,EAAE0xD,UAAU,KAAM,GAAGnnD,QAAQ,SAAU,IAAM,WAAY,CAAE2lD,KAAM,EAAGupB,IAAK,IAErI9gE,GAAE,aAAc,sBAAuB,EAElD,EA2CA,MAAMghE,EAAK,IAAKC,EAAK,IACrB,SAASP,EAAG51E,EAAGq7B,GACb,IAAI+sC,EAAI,GAAIzV,EAAI,GAAIp/B,GAAI,EACxB,KAAO8H,EAAIr7B,EAAEvD,OAAQ4+B,IAAK,CACxB,GAAIr7B,EAAEq7B,KAAO66C,GAAMl2E,EAAEq7B,KAAO86C,EACpB,KAANxjB,EAAWA,EAAI3yD,EAAEq7B,GAAKs3B,IAAM3yD,EAAEq7B,KAAOs3B,EAAI,SACtC,GAAa,MAAT3yD,EAAEq7B,IAAoB,KAANs3B,EAAU,CACjCp/B,GAAI,EACJ,KACF,CACA60C,GAAKpoE,EAAEq7B,EACT,CACA,MAAa,KAANs3B,GAAgB,CACrBvyD,MAAOgoE,EACP3tD,MAAO4gB,EACPy6C,UAAWviD,EAEf,CACA,MAAM6iD,EAAK,IAAI//D,OAAO,0DAA0D,KAChF,SAASw/D,GAAE71E,EAAGq7B,GACZ,MAAM+sC,EAAI8M,EAAEF,cAAch1E,EAAGo2E,GAAKzjB,EAAI,CAAC,EACvC,IAAK,IAAIp/B,EAAI,EAAGA,EAAI60C,EAAE3rE,OAAQ82B,IAAK,CACjC,GAAuB,IAAnB60C,EAAE70C,GAAG,GAAG92B,OACV,OAAOyY,GAAE,cAAe,cAAgBkzD,EAAE70C,GAAG,GAAK,8BAA+BvG,GAAEo7C,EAAE70C,KACvF,QAAgB,IAAZ60C,EAAE70C,GAAG,SAA6B,IAAZ60C,EAAE70C,GAAG,GAC7B,OAAOre,GAAE,cAAe,cAAgBkzD,EAAE70C,GAAG,GAAK,sBAAuBvG,GAAEo7C,EAAE70C,KAC/E,QAAgB,IAAZ60C,EAAE70C,GAAG,KAAkB8H,EAAE+5C,uBAC3B,OAAOlgE,GAAE,cAAe,sBAAwBkzD,EAAE70C,GAAG,GAAK,oBAAqBvG,GAAEo7C,EAAE70C,KACrF,MAAMh3B,EAAI6rE,EAAE70C,GAAG,GACf,IAAK8iD,GAAG95E,GACN,OAAO2Y,GAAE,cAAe,cAAgB3Y,EAAI,wBAAyBywB,GAAEo7C,EAAE70C,KAC3E,GAAKo/B,EAAEn4D,eAAe+B,GAGpB,OAAO2Y,GAAE,cAAe,cAAgB3Y,EAAI,iBAAkBywB,GAAEo7C,EAAE70C,KAFlEo/B,EAAEp2D,GAAK,CAGX,CACA,OAAO,CACT,CAWA,SAAS05E,GAAGj2E,EAAGq7B,GACb,GAAkB,MAATr7B,IAALq7B,GACF,OAAQ,EACV,GAAa,MAATr7B,EAAEq7B,GACJ,OAdJ,SAAYr7B,EAAGq7B,GACb,IAAI+sC,EAAI,KACR,IAAc,MAATpoE,EAAEq7B,KAAeA,IAAK+sC,EAAI,cAAe/sC,EAAIr7B,EAAEvD,OAAQ4+B,IAAK,CAC/D,GAAa,MAATr7B,EAAEq7B,GACJ,OAAOA,EACT,IAAKr7B,EAAEq7B,GAAGpkB,MAAMmxD,GACd,KACJ,CACA,OAAQ,CACV,CAKgBkO,CAAGt2E,IAARq7B,GACT,IAAI+sC,EAAI,EACR,KAAO/sC,EAAIr7B,EAAEvD,OAAQ4+B,IAAK+sC,IACxB,KAAMpoE,EAAEq7B,GAAGpkB,MAAM,OAASmxD,EAAI,IAAK,CACjC,GAAa,MAATpoE,EAAEq7B,GACJ,MACF,OAAQ,CACV,CACF,OAAOA,CACT,CACA,SAASnmB,GAAElV,EAAGq7B,EAAG+sC,GACf,MAAO,CACLtsD,IAAK,CACH6uC,KAAM3qD,EACNoyB,IAAKiJ,EACLoxB,KAAM2b,EAAE3b,MAAQ2b,EAChB4N,IAAK5N,EAAE4N,KAGb,CACA,SAASK,GAAGr2E,GACV,OAAOk1E,EAAEH,OAAO/0E,EAClB,CACA,SAAS21E,GAAG31E,GACV,OAAOk1E,EAAEH,OAAO/0E,EAClB,CACA,SAASw1E,GAAEx1E,EAAGq7B,GACZ,MAAM+sC,EAAIpoE,EAAEktD,UAAU,EAAG7xB,GAAG5kB,MAAM,SAClC,MAAO,CACLg2C,KAAM2b,EAAE3rE,OAERu5E,IAAK5N,EAAEA,EAAE3rE,OAAS,GAAGA,OAAS,EAElC,CACA,SAASuwB,GAAEhtB,GACT,OAAOA,EAAEygD,WAAazgD,EAAE,GAAGvD,MAC7B,CACA,IAAIguE,GAAI,CAAC,EACT,MAAM1mD,GAAK,CACTwyD,eAAe,EACfC,oBAAqB,KACrBC,qBAAqB,EACrBC,aAAc,QACdC,kBAAkB,EAClBC,gBAAgB,EAEhBxB,wBAAwB,EAGxByB,eAAe,EACfC,qBAAqB,EACrBC,YAAY,EAEZC,eAAe,EACfC,mBAAoB,CAClBC,KAAK,EACLC,cAAc,EACdC,WAAW,GAEbC,kBAAmB,SAASr3E,EAAGq7B,GAC7B,OAAOA,CACT,EACAi8C,wBAAyB,SAASt3E,EAAGq7B,GACnC,OAAOA,CACT,EACAk8C,UAAW,GAEXC,sBAAsB,EACtBhvE,QAAS,KAAM,EACfivE,iBAAiB,EACjBpC,aAAc,GACdqC,iBAAiB,EACjBC,cAAc,EACdC,mBAAmB,EACnBC,cAAc,EACdC,kBAAkB,EAClBC,wBAAwB,EACxBC,UAAW,SAASh4E,EAAGq7B,EAAG+sC,GACxB,OAAOpoE,CACT,GAKFyqE,GAAEwN,aAHM,SAASj4E,GACf,OAAO1F,OAAOmF,OAAO,CAAC,EAAGskB,GAAI/jB,EAC/B,EAEAyqE,GAAEyN,eAAiBn0D,GAanB,MAAMo0D,GAAKzD,EAmCX,SAAS0D,GAAGp4E,EAAGq7B,GACb,IAAI+sC,EAAI,GACR,KAAO/sC,EAAIr7B,EAAEvD,QAAmB,MAATuD,EAAEq7B,IAAuB,MAATr7B,EAAEq7B,GAAYA,IACnD+sC,GAAKpoE,EAAEq7B,GACT,GAAI+sC,EAAIA,EAAEjvD,QAA4B,IAApBivD,EAAEn3D,QAAQ,KAC1B,MAAM,IAAIpK,MAAM,sCAClB,MAAM8rD,EAAI3yD,EAAEq7B,KACZ,IAAI9H,EAAI,GACR,KAAO8H,EAAIr7B,EAAEvD,QAAUuD,EAAEq7B,KAAOs3B,EAAGt3B,IACjC9H,GAAKvzB,EAAEq7B,GACT,MAAO,CAAC+sC,EAAG70C,EAAG8H,EAChB,CACA,SAASg9C,GAAGr4E,EAAGq7B,GACb,MAAoB,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,EACvD,CACA,SAASi9C,GAAGt4E,EAAGq7B,GACb,MAAoB,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,EACvI,CACA,SAASk9C,GAAGv4E,EAAGq7B,GACb,MAAoB,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,EAC3J,CACA,SAASm9C,GAAGx4E,EAAGq7B,GACb,MAAoB,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,EAC3J,CACA,SAASo9C,GAAGz4E,EAAGq7B,GACb,MAAoB,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,EAC/K,CACA,SAASq9C,GAAG14E,GACV,GAAIm4E,GAAGpD,OAAO/0E,GACZ,OAAOA,EACT,MAAM,IAAI6G,MAAM,uBAAuB7G,IACzC,CAEA,MAAM24E,GAAK,wBAAyBC,GAAK,+EACxC//D,OAAOoyB,UAAY/sC,OAAO+sC,WAAapyB,OAAOoyB,SAAW/sC,OAAO+sC,WAChEpyB,OAAO2jD,YAAct+D,OAAOs+D,aAAe3jD,OAAO2jD,WAAat+D,OAAOs+D,YACvE,MAAMqc,GAAK,CACT3B,KAAK,EACLC,cAAc,EACd2B,aAAc,IACd1B,WAAW,GAiCb,MAAM2B,GAAIrE,EAAGsE,GAxHb,MACE,WAAAp6E,CAAYy8B,GACVtgC,KAAK2pE,QAAUrpC,EAAGtgC,KAAKutB,MAAQ,GAAIvtB,KAAK,MAAQ,CAAC,CACnD,CACA,GAAA4W,CAAI0pB,EAAG+sC,GACC,cAAN/sC,IAAsBA,EAAI,cAAetgC,KAAKutB,MAAM/sB,KAAK,CAAE,CAAC8/B,GAAI+sC,GAClE,CACA,QAAA6Q,CAAS59C,GACO,cAAdA,EAAEqpC,UAA4BrpC,EAAEqpC,QAAU,cAAerpC,EAAE,OAAS/gC,OAAO6G,KAAKk6B,EAAE,OAAO5+B,OAAS,EAAI1B,KAAKutB,MAAM/sB,KAAK,CAAE,CAAC8/B,EAAEqpC,SAAUrpC,EAAE/S,MAAO,KAAM+S,EAAE,QAAWtgC,KAAKutB,MAAM/sB,KAAK,CAAE,CAAC8/B,EAAEqpC,SAAUrpC,EAAE/S,OACpM,GA+GmB4wD,GA3GrB,SAAYl5E,EAAGq7B,GACb,MAAM+sC,EAAI,CAAC,EACX,GAAiB,MAAbpoE,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,GA6B5G,MAAM,IAAIx0B,MAAM,kCA7BwG,CACxHw0B,GAAQ,EACR,IAAIs3B,EAAI,EAAGp/B,GAAI,EAAIh3B,GAAI,EAAIw5D,EAAI,GAC/B,KAAO16B,EAAIr7B,EAAEvD,OAAQ4+B,IACnB,GAAa,MAATr7B,EAAEq7B,IAAe9+B,EAiBd,GAAa,MAATyD,EAAEq7B,IACX,GAAI9+B,EAAiB,MAAbyD,EAAEq7B,EAAI,IAA2B,MAAbr7B,EAAEq7B,EAAI,KAAe9+B,GAAI,EAAIo2D,KAAOA,IAAW,IAANA,EACnE,UAEO,MAAT3yD,EAAEq7B,GAAa9H,GAAI,EAAKwiC,GAAK/1D,EAAEq7B,OArBT,CACtB,GAAI9H,GAAK+kD,GAAGt4E,EAAGq7B,GACbA,GAAK,GAAI89C,WAAY98D,IAAKgf,GAAK+8C,GAAGp4E,EAAGq7B,EAAI,IAA0B,IAAtBhf,IAAIpL,QAAQ,OAAgBm3D,EAAEsQ,GAAGS,aAAe,CAC3FC,KAAM/iE,OAAO,IAAI8iE,cAAe,KAChC98D,WAEC,GAAIkX,GAAKglD,GAAGv4E,EAAGq7B,GAClBA,GAAK,OACF,GAAI9H,GAAKilD,GAAGx4E,EAAGq7B,GAClBA,GAAK,OACF,GAAI9H,GAAKklD,GAAGz4E,EAAGq7B,GAClBA,GAAK,MACF,KAAIg9C,GAGP,MAAM,IAAIxxE,MAAM,mBAFhBtK,GAAI,CAE8B,CACpCo2D,IAAKoD,EAAI,EACX,CAKF,GAAU,IAANpD,EACF,MAAM,IAAI9rD,MAAM,mBACpB,CAEA,MAAO,CAAEwyE,SAAUjR,EAAG7rE,EAAG8+B,EAC3B,EA0E8Bi+C,GA9B9B,SAAYt5E,EAAGq7B,EAAI,CAAC,GAClB,GAAIA,EAAI/gC,OAAOmF,OAAO,CAAC,EAAGo5E,GAAIx9C,IAAKr7B,GAAiB,iBAALA,EAC7C,OAAOA,EACT,IAAIooE,EAAIpoE,EAAEmZ,OACV,QAAmB,IAAfkiB,EAAEk+C,UAAuBl+C,EAAEk+C,SAASz0E,KAAKsjE,GAC3C,OAAOpoE,EACT,GAAIq7B,EAAE67C,KAAOyB,GAAG7zE,KAAKsjE,GACnB,OAAOvvD,OAAOoyB,SAASm9B,EAAG,IAC5B,CACE,MAAMzV,EAAIimB,GAAGrgE,KAAK6vD,GAClB,GAAIzV,EAAG,CACL,MAAMp/B,EAAIo/B,EAAE,GAAIp2D,EAAIo2D,EAAE,GACtB,IAAIoD,EAcV,SAAY/1D,GACV,OAAOA,IAAyB,IAApBA,EAAEiR,QAAQ,OAAgD,OAAhCjR,EAAIA,EAAE8G,QAAQ,MAAO,KAAiB9G,EAAI,IAAe,MAATA,EAAE,GAAaA,EAAI,IAAMA,EAAwB,MAApBA,EAAEA,EAAEvD,OAAS,KAAeuD,EAAIA,EAAE0jB,OAAO,EAAG1jB,EAAEvD,OAAS,KAAMuD,CAClL,CAhBcw5E,CAAG7mB,EAAE,IACb,MAAMuZ,EAAIvZ,EAAE,IAAMA,EAAE,GACpB,IAAKt3B,EAAE87C,cAAgB56E,EAAEE,OAAS,GAAK82B,GAAc,MAAT60C,EAAE,GAC5C,OAAOpoE,EACT,IAAKq7B,EAAE87C,cAAgB56E,EAAEE,OAAS,IAAM82B,GAAc,MAAT60C,EAAE,GAC7C,OAAOpoE,EACT,CACE,MAAMwC,EAAIqW,OAAOuvD,GAAInjE,EAAI,GAAKzC,EAC9B,OAA6B,IAAtByC,EAAE4uB,OAAO,SAAkBq4C,EAAI7wC,EAAE+7C,UAAY50E,EAAIxC,GAAwB,IAApBooE,EAAEn3D,QAAQ,KAAoB,MAANhM,GAAmB,KAAN8wD,GAAY9wD,IAAM8wD,GAAKxiC,GAAKtuB,IAAM,IAAM8wD,EAAIvzD,EAAIxC,EAAIzD,EAAIw5D,IAAM9wD,GAAKsuB,EAAIwiC,IAAM9wD,EAAIzC,EAAIxC,EAAIooE,IAAMnjE,GAAKmjE,IAAM70C,EAAItuB,EAAIzC,EAAIxC,CACzN,CACF,CACE,OAAOA,CACX,CACF,EA+BA,SAASy5E,GAAGz5E,GACV,MAAMq7B,EAAI/gC,OAAO6G,KAAKnB,GACtB,IAAK,IAAIooE,EAAI,EAAGA,EAAI/sC,EAAE5+B,OAAQ2rE,IAAK,CACjC,MAAMzV,EAAIt3B,EAAE+sC,GACZrtE,KAAK2+E,aAAa/mB,GAAK,CACrBppC,MAAO,IAAIlT,OAAO,IAAMs8C,EAAI,IAAK,KACjCt2C,IAAKrc,EAAE2yD,GAEX,CACF,CACA,SAASgnB,GAAG35E,EAAGq7B,EAAG+sC,EAAGzV,EAAGp/B,EAAGh3B,EAAGw5D,GAC5B,QAAU,IAAN/1D,IAAiBjF,KAAK8T,QAAQkoE,aAAepkB,IAAM3yD,EAAIA,EAAEmZ,QAASnZ,EAAEvD,OAAS,GAAI,CACnFs5D,IAAM/1D,EAAIjF,KAAK6+E,qBAAqB55E,IACpC,MAAMksE,EAAInxE,KAAK8T,QAAQwoE,kBAAkBh8C,EAAGr7B,EAAGooE,EAAG70C,EAAGh3B,GACrD,OAAY,MAAL2vE,EAAYlsE,SAAWksE,UAAYlsE,GAAKksE,IAAMlsE,EAAIksE,EAAInxE,KAAK8T,QAAQkoE,YAAiF/2E,EAAEmZ,SAAWnZ,EAAjF65E,GAAE75E,EAAGjF,KAAK8T,QAAQgoE,cAAe97E,KAAK8T,QAAQooE,oBAA2Gj3E,CAClP,CACF,CACA,SAAS85E,GAAG95E,GACV,GAAIjF,KAAK8T,QAAQ+nE,eAAgB,CAC/B,MAAMv7C,EAAIr7B,EAAEyW,MAAM,KAAM2xD,EAAoB,MAAhBpoE,EAAEmhB,OAAO,GAAa,IAAM,GACxD,GAAa,UAATka,EAAE,GACJ,MAAO,GACI,IAAbA,EAAE5+B,SAAiBuD,EAAIooE,EAAI/sC,EAAE,GAC/B,CACA,OAAOr7B,CACT,CAlDA,wFAAwF8G,QAAQ,QAASiyE,GAAE9D,YAmD3G,MAAM8E,GAAK,IAAI1jE,OAAO,+CAA+C,MACrE,SAASmgD,GAAGx2D,EAAGq7B,EAAG+sC,GAChB,IAAKrtE,KAAK8T,QAAQ8nE,kBAAgC,iBAAL32E,EAAe,CAC1D,MAAM2yD,EAAIomB,GAAE/D,cAAch1E,EAAG+5E,IAAKxmD,EAAIo/B,EAAEl2D,OAAQF,EAAI,CAAC,EACrD,IAAK,IAAIw5D,EAAI,EAAGA,EAAIxiC,EAAGwiC,IAAK,CAC1B,MAAMmW,EAAInxE,KAAKi/E,iBAAiBrnB,EAAEoD,GAAG,IACrC,IAAIvzD,EAAImwD,EAAEoD,GAAG,GAAI9wD,EAAIlK,KAAK8T,QAAQ2nE,oBAAsBtK,EACxD,GAAIA,EAAEzvE,OACJ,GAAI1B,KAAK8T,QAAQkpE,yBAA2B9yE,EAAIlK,KAAK8T,QAAQkpE,uBAAuB9yE,IAAW,cAANA,IAAsBA,EAAI,mBAAqB,IAANzC,EAAc,CAC9IzH,KAAK8T,QAAQkoE,aAAev0E,EAAIA,EAAE2W,QAAS3W,EAAIzH,KAAK6+E,qBAAqBp3E,GACzE,MAAMhG,EAAIzB,KAAK8T,QAAQyoE,wBAAwBpL,EAAG1pE,EAAG64B,GACzC9+B,EAAE0I,GAAT,MAALzI,EAAmBgG,SAAWhG,UAAYgG,GAAKhG,IAAMgG,EAAWhG,EAAWq9E,GACzEr3E,EACAzH,KAAK8T,QAAQioE,oBACb/7E,KAAK8T,QAAQooE,mBAEjB,MACEl8E,KAAK8T,QAAQumE,yBAA2B74E,EAAE0I,IAAK,EACrD,CACA,IAAK3K,OAAO6G,KAAK5E,GAAGE,OAClB,OACF,GAAI1B,KAAK8T,QAAQ4nE,oBAAqB,CACpC,MAAM1gB,EAAI,CAAC,EACX,OAAOA,EAAEh7D,KAAK8T,QAAQ4nE,qBAAuBl6E,EAAGw5D,CAClD,CACA,OAAOx5D,CACT,CACF,CACA,MAAM09E,GAAK,SAASj6E,GAClBA,EAAIA,EAAE8G,QAAQ,SAAU,MAExB,MAAMu0B,EAAI,IAAI29C,GAAE,QAChB,IAAI5Q,EAAI/sC,EAAGs3B,EAAI,GAAIp/B,EAAI,GACvB,IAAK,IAAIh3B,EAAI,EAAGA,EAAIyD,EAAEvD,OAAQF,IAC5B,GAAa,MAATyD,EAAEzD,GACJ,GAAiB,MAAbyD,EAAEzD,EAAI,GAAY,CACpB,MAAM2vE,EAAIv/C,GAAE3sB,EAAG,IAAKzD,EAAG,8BACvB,IAAIiG,EAAIxC,EAAEktD,UAAU3wD,EAAI,EAAG2vE,GAAG/yD,OAC9B,GAAIpe,KAAK8T,QAAQ+nE,eAAgB,CAC/B,MAAM9B,EAAItyE,EAAEyO,QAAQ,MACb,IAAP6jE,IAAatyE,EAAIA,EAAEkhB,OAAOoxD,EAAI,GAChC,CACA/5E,KAAK8T,QAAQipE,mBAAqBt1E,EAAIzH,KAAK8T,QAAQipE,iBAAiBt1E,IAAK4lE,IAAMzV,EAAI53D,KAAKm/E,oBAAoBvnB,EAAGyV,EAAG70C,IAClH,MAAMtuB,EAAIsuB,EAAE25B,UAAU35B,EAAE4mD,YAAY,KAAO,GAC3C,GAAI33E,IAA+C,IAA1CzH,KAAK8T,QAAQwmE,aAAapkE,QAAQzO,GACzC,MAAM,IAAIqE,MAAM,kDAAkDrE,MACpE,IAAIhG,EAAI,EACRyI,IAA+C,IAA1ClK,KAAK8T,QAAQwmE,aAAapkE,QAAQhM,IAAazI,EAAI+2B,EAAE4mD,YAAY,IAAK5mD,EAAE4mD,YAAY,KAAO,GAAIp/E,KAAKq/E,cAAc/4D,OAAS7kB,EAAI+2B,EAAE4mD,YAAY,KAAM5mD,EAAIA,EAAE25B,UAAU,EAAG1wD,GAAI4rE,EAAIrtE,KAAKq/E,cAAc/4D,MAAOsxC,EAAI,GAAIp2D,EAAI2vE,CAC3N,MAAO,GAAiB,MAAblsE,EAAEzD,EAAI,GAAY,CAC3B,IAAI2vE,EAAIp0D,GAAE9X,EAAGzD,GAAG,EAAI,MACpB,IAAK2vE,EACH,MAAM,IAAIrlE,MAAM,yBAClB,GAAI8rD,EAAI53D,KAAKm/E,oBAAoBvnB,EAAGyV,EAAG70C,KAAMx4B,KAAK8T,QAAQ+oE,mBAAmC,SAAd1L,EAAEje,SAAsBlzD,KAAK8T,QAAQgpE,cAAe,CACjI,MAAMr1E,EAAI,IAAIw2E,GAAE9M,EAAEje,SAClBzrD,EAAEmP,IAAI5W,KAAK8T,QAAQ6nE,aAAc,IAAKxK,EAAEje,UAAYie,EAAEmO,QAAUnO,EAAEoO,iBAAmB93E,EAAE,MAAQzH,KAAKw/E,mBAAmBrO,EAAEmO,OAAQ9mD,EAAG24C,EAAEje,UAAWlzD,KAAKk+E,SAAS7Q,EAAG5lE,EAAG+wB,EACvK,CACAh3B,EAAI2vE,EAAEsO,WAAa,CACrB,MAAO,GAA2B,QAAvBx6E,EAAE0jB,OAAOnnB,EAAI,EAAG,GAAc,CACvC,MAAM2vE,EAAIv/C,GAAE3sB,EAAG,SAAOzD,EAAI,EAAG,0BAC7B,GAAIxB,KAAK8T,QAAQ4oE,gBAAiB,CAChC,MAAMj1E,EAAIxC,EAAEktD,UAAU3wD,EAAI,EAAG2vE,EAAI,GACjCvZ,EAAI53D,KAAKm/E,oBAAoBvnB,EAAGyV,EAAG70C,GAAI60C,EAAEz2D,IAAI5W,KAAK8T,QAAQ4oE,gBAAiB,CAAC,CAAE,CAAC18E,KAAK8T,QAAQ6nE,cAAel0E,IAC7G,CACAjG,EAAI2vE,CACN,MAAO,GAA2B,OAAvBlsE,EAAE0jB,OAAOnnB,EAAI,EAAG,GAAa,CACtC,MAAM2vE,EAAIgN,GAAGl5E,EAAGzD,GAChBxB,KAAK0/E,gBAAkBvO,EAAEmN,SAAU98E,EAAI2vE,EAAE3vE,CAC3C,MAAO,GAA2B,OAAvByD,EAAE0jB,OAAOnnB,EAAI,EAAG,GAAa,CACtC,MAAM2vE,EAAIv/C,GAAE3sB,EAAG,MAAOzD,EAAG,wBAA0B,EAAGiG,EAAIxC,EAAEktD,UAAU3wD,EAAI,EAAG2vE,GAC7E,GAAIvZ,EAAI53D,KAAKm/E,oBAAoBvnB,EAAGyV,EAAG70C,GAAIx4B,KAAK8T,QAAQmoE,cACtD5O,EAAEz2D,IAAI5W,KAAK8T,QAAQmoE,cAAe,CAAC,CAAE,CAACj8E,KAAK8T,QAAQ6nE,cAAel0E,SAC/D,CACH,IAAIyC,EAAIlK,KAAK2/E,cAAcl4E,EAAG4lE,EAAE1D,QAASnxC,GAAG,GAAI,GAAI,GAC/C,MAALtuB,IAAcA,EAAI,IAAKmjE,EAAEz2D,IAAI5W,KAAK8T,QAAQ6nE,aAAczxE,EAC1D,CACA1I,EAAI2vE,EAAI,CACV,KAAO,CACL,IAAIA,EAAIp0D,GAAE9X,EAAGzD,EAAGxB,KAAK8T,QAAQ+nE,gBAAiBp0E,EAAI0pE,EAAEje,QACpD,MAAMhpD,EAAIinE,EAAEyO,WACZ,IAAIn+E,EAAI0vE,EAAEmO,OAAQvF,EAAI5I,EAAEoO,eAAgB3+D,EAAIuwD,EAAEsO,WAC9Cz/E,KAAK8T,QAAQipE,mBAAqBt1E,EAAIzH,KAAK8T,QAAQipE,iBAAiBt1E,IAAK4lE,GAAKzV,GAAmB,SAAdyV,EAAE1D,UAAuB/R,EAAI53D,KAAKm/E,oBAAoBvnB,EAAGyV,EAAG70C,GAAG,IAClJ,MAAMp1B,EAAIiqE,EACV,GAAIjqE,IAAuD,IAAlDpD,KAAK8T,QAAQwmE,aAAapkE,QAAQ9S,EAAEumE,WAAoB0D,EAAIrtE,KAAKq/E,cAAc/4D,MAAOkS,EAAIA,EAAE25B,UAAU,EAAG35B,EAAE4mD,YAAY,OAAQ33E,IAAM64B,EAAEqpC,UAAYnxC,GAAKA,EAAI,IAAM/wB,EAAIA,GAAIzH,KAAK6/E,aAAa7/E,KAAK8T,QAAQ0oE,UAAWhkD,EAAG/wB,GAAI,CAClO,IAAIwc,EAAI,GACR,GAAIxiB,EAAEC,OAAS,GAAKD,EAAE29E,YAAY,OAAS39E,EAAEC,OAAS,EACpDF,EAAI2vE,EAAEsO,gBACH,IAA8C,IAA1Cz/E,KAAK8T,QAAQwmE,aAAapkE,QAAQzO,GACzCjG,EAAI2vE,EAAEsO,eACH,CACH,MAAMK,EAAI9/E,KAAK+/E,iBAAiB96E,EAAGiF,EAAG0W,EAAI,GAC1C,IAAKk/D,EACH,MAAM,IAAIh0E,MAAM,qBAAqB5B,KACvC1I,EAAIs+E,EAAEt+E,EAAGyiB,EAAI67D,EAAEE,UACjB,CACA,MAAMl8D,EAAI,IAAIm6D,GAAEx2E,GAChBA,IAAMhG,GAAKs4E,IAAMj2D,EAAE,MAAQ9jB,KAAKw/E,mBAAmB/9E,EAAG+2B,EAAG/wB,IAAKwc,IAAMA,EAAIjkB,KAAK2/E,cAAc17D,EAAGxc,EAAG+wB,GAAG,EAAIuhD,GAAG,GAAI,IAAMvhD,EAAIA,EAAE7P,OAAO,EAAG6P,EAAE4mD,YAAY,MAAOt7D,EAAElN,IAAI5W,KAAK8T,QAAQ6nE,aAAc13D,GAAIjkB,KAAKk+E,SAAS7Q,EAAGvpD,EAAG0U,EACrN,KAAO,CACL,GAAI/2B,EAAEC,OAAS,GAAKD,EAAE29E,YAAY,OAAS39E,EAAEC,OAAS,EAAG,CACnC,MAApB+F,EAAEA,EAAE/F,OAAS,IAAc+F,EAAIA,EAAEkhB,OAAO,EAAGlhB,EAAE/F,OAAS,GAAI82B,EAAIA,EAAE7P,OAAO,EAAG6P,EAAE92B,OAAS,GAAID,EAAIgG,GAAKhG,EAAIA,EAAEknB,OAAO,EAAGlnB,EAAEC,OAAS,GAAI1B,KAAK8T,QAAQipE,mBAAqBt1E,EAAIzH,KAAK8T,QAAQipE,iBAAiBt1E,IACrM,MAAMwc,EAAI,IAAIg6D,GAAEx2E,GAChBA,IAAMhG,GAAKs4E,IAAM91D,EAAE,MAAQjkB,KAAKw/E,mBAAmB/9E,EAAG+2B,EAAG/wB,IAAKzH,KAAKk+E,SAAS7Q,EAAGppD,EAAGuU,GAAIA,EAAIA,EAAE7P,OAAO,EAAG6P,EAAE4mD,YAAY,KACtH,KAAO,CACL,MAAMn7D,EAAI,IAAIg6D,GAAEx2E,GAChBzH,KAAKq/E,cAAc7+E,KAAK6sE,GAAI5lE,IAAMhG,GAAKs4E,IAAM91D,EAAE,MAAQjkB,KAAKw/E,mBAAmB/9E,EAAG+2B,EAAG/wB,IAAKzH,KAAKk+E,SAAS7Q,EAAGppD,EAAGuU,GAAI60C,EAAIppD,CACxH,CACA2zC,EAAI,GAAIp2D,EAAIof,CACd,CACF,MAEAg3C,GAAK3yD,EAAEzD,GACX,OAAO8+B,EAAE/S,KACX,EACA,SAAS0yD,GAAGh7E,EAAGq7B,EAAG+sC,GAChB,MAAMzV,EAAI53D,KAAK8T,QAAQmpE,UAAU38C,EAAEqpC,QAAS0D,EAAG/sC,EAAE,QAC3C,IAANs3B,IAAyB,iBAALA,IAAkBt3B,EAAEqpC,QAAU/R,GAAI3yD,EAAEi5E,SAAS59C,GACnE,CACA,MAAM4/C,GAAK,SAASj7E,GAClB,GAAIjF,KAAK8T,QAAQ6oE,gBAAiB,CAChC,IAAK,IAAIr8C,KAAKtgC,KAAK0/E,gBAAiB,CAClC,MAAMrS,EAAIrtE,KAAK0/E,gBAAgBp/C,GAC/Br7B,EAAIA,EAAE8G,QAAQshE,EAAEgR,KAAMhR,EAAE/rD,IAC1B,CACA,IAAK,IAAIgf,KAAKtgC,KAAK2+E,aAAc,CAC/B,MAAMtR,EAAIrtE,KAAK2+E,aAAar+C,GAC5Br7B,EAAIA,EAAE8G,QAAQshE,EAAE7+C,MAAO6+C,EAAE/rD,IAC3B,CACA,GAAIthB,KAAK8T,QAAQ8oE,aACf,IAAK,IAAIt8C,KAAKtgC,KAAK48E,aAAc,CAC/B,MAAMvP,EAAIrtE,KAAK48E,aAAat8C,GAC5Br7B,EAAIA,EAAE8G,QAAQshE,EAAE7+C,MAAO6+C,EAAE/rD,IAC3B,CACFrc,EAAIA,EAAE8G,QAAQ/L,KAAKmgF,UAAU3xD,MAAOxuB,KAAKmgF,UAAU7+D,IACrD,CACA,OAAOrc,CACT,EACA,SAASm7E,GAAGn7E,EAAGq7B,EAAG+sC,EAAGzV,GACnB,OAAO3yD,SAAY,IAAN2yD,IAAiBA,EAAoC,IAAhCr4D,OAAO6G,KAAKk6B,EAAE/S,OAAO7rB,aAO9C,KAP6DuD,EAAIjF,KAAK2/E,cAC7E16E,EACAq7B,EAAEqpC,QACF0D,GACA,IACA/sC,EAAE,OAAwC,IAAhC/gC,OAAO6G,KAAKk6B,EAAE,OAAO5+B,OAC/Bk2D,KACuB,KAAN3yD,GAAYq7B,EAAE1pB,IAAI5W,KAAK8T,QAAQ6nE,aAAc12E,GAAIA,EAAI,IAAKA,CAC/E,CACA,SAASo7E,GAAGp7E,EAAGq7B,EAAG+sC,GAChB,MAAMzV,EAAI,KAAOyV,EACjB,IAAK,MAAM70C,KAAKvzB,EAAG,CACjB,MAAMzD,EAAIyD,EAAEuzB,GACZ,GAAIo/B,IAAMp2D,GAAK8+B,IAAM9+B,EACnB,OAAO,CACX,CACA,OAAO,CACT,CA0BA,SAASowB,GAAE3sB,EAAGq7B,EAAG+sC,EAAGzV,GAClB,MAAMp/B,EAAIvzB,EAAEiR,QAAQoqB,EAAG+sC,GACvB,IAAW,IAAP70C,EACF,MAAM,IAAI1sB,MAAM8rD,GAClB,OAAOp/B,EAAI8H,EAAE5+B,OAAS,CACxB,CACA,SAASqb,GAAE9X,EAAGq7B,EAAG+sC,EAAGzV,EAAI,KACtB,MAAMp/B,EAhCR,SAAYvzB,EAAGq7B,EAAG+sC,EAAI,KACpB,IAAIzV,EAAGp/B,EAAI,GACX,IAAK,IAAIh3B,EAAI8+B,EAAG9+B,EAAIyD,EAAEvD,OAAQF,IAAK,CACjC,IAAIw5D,EAAI/1D,EAAEzD,GACV,GAAIo2D,EACFoD,IAAMpD,IAAMA,EAAI,SACb,GAAU,MAANoD,GAAmB,MAANA,EACpBpD,EAAIoD,OACD,GAAIA,IAAMqS,EAAE,GACf,KAAIA,EAAE,GAOJ,MAAO,CACLvoE,KAAM0zB,EACN9Y,MAAOle,GART,GAAIyD,EAAEzD,EAAI,KAAO6rE,EAAE,GACjB,MAAO,CACLvoE,KAAM0zB,EACN9Y,MAAOle,EAMV,KAEG,OAANw5D,IAAcA,EAAI,KACpBxiC,GAAKwiC,CACP,CACF,CAQYslB,CAAGr7E,EAAGq7B,EAAI,EAAGs3B,GACvB,IAAKp/B,EACH,OACF,IAAIh3B,EAAIg3B,EAAE1zB,KACV,MAAMk2D,EAAIxiC,EAAE9Y,MAAOyxD,EAAI3vE,EAAEs3B,OAAO,MAChC,IAAIrxB,EAAIjG,EAAG0I,GAAI,GACR,IAAPinE,IAAa1pE,EAAIjG,EAAEmnB,OAAO,EAAGwoD,GAAGplE,QAAQ,SAAU,IAAKvK,EAAIA,EAAEmnB,OAAOwoD,EAAI,IACxE,MAAM1vE,EAAIgG,EACV,GAAI4lE,EAAG,CACL,MAAM0M,EAAItyE,EAAEyO,QAAQ,MACb,IAAP6jE,IAAatyE,EAAIA,EAAEkhB,OAAOoxD,EAAI,GAAI7vE,EAAIzC,IAAM+wB,EAAE1zB,KAAK6jB,OAAOoxD,EAAI,GAChE,CACA,MAAO,CACL7mB,QAASzrD,EACT63E,OAAQ99E,EACRi+E,WAAYzkB,EACZukB,eAAgBr1E,EAChB01E,WAAYn+E,EAEhB,CACA,SAAS8+E,GAAGt7E,EAAGq7B,EAAG+sC,GAChB,MAAMzV,EAAIyV,EACV,IAAI70C,EAAI,EACR,KAAO60C,EAAIpoE,EAAEvD,OAAQ2rE,IACnB,GAAa,MAATpoE,EAAEooE,GACJ,GAAiB,MAAbpoE,EAAEooE,EAAI,GAAY,CACpB,MAAM7rE,EAAIowB,GAAE3sB,EAAG,IAAKooE,EAAG,GAAG/sC,mBAC1B,GAAIr7B,EAAEktD,UAAUkb,EAAI,EAAG7rE,GAAG4c,SAAWkiB,IAAM9H,IAAW,IAANA,GAC9C,MAAO,CACLwnD,WAAY/6E,EAAEktD,UAAUyF,EAAGyV,GAC3B7rE,KAEJ6rE,EAAI7rE,CACN,MAAO,GAAiB,MAAbyD,EAAEooE,EAAI,GACfA,EAAIz7C,GAAE3sB,EAAG,KAAMooE,EAAI,EAAG,gCACnB,GAA2B,QAAvBpoE,EAAE0jB,OAAO0kD,EAAI,EAAG,GACvBA,EAAIz7C,GAAE3sB,EAAG,SAAOooE,EAAI,EAAG,gCACpB,GAA2B,OAAvBpoE,EAAE0jB,OAAO0kD,EAAI,EAAG,GACvBA,EAAIz7C,GAAE3sB,EAAG,MAAOooE,EAAG,2BAA6B,MAC7C,CACH,MAAM7rE,EAAIub,GAAE9X,EAAGooE,EAAG,KAClB7rE,KAAOA,GAAKA,EAAE0xD,WAAa5yB,GAAuC,MAAlC9+B,EAAE89E,OAAO99E,EAAE89E,OAAO59E,OAAS,IAAc82B,IAAK60C,EAAI7rE,EAAEi+E,WACtF,CACN,CACA,SAASX,GAAE75E,EAAGq7B,EAAG+sC,GACf,GAAI/sC,GAAiB,iBAALr7B,EAAe,CAC7B,MAAM2yD,EAAI3yD,EAAEmZ,OACZ,MAAa,SAANw5C,GAA0B,UAANA,GAAqB2mB,GAAGt5E,EAAGooE,EACxD,CACE,OAAO2Q,GAAEpE,QAAQ30E,GAAKA,EAAI,EAC9B,CACA,IAAau7E,GAAK,CAAC,EAInB,SAASC,GAAGx7E,EAAGq7B,EAAG+sC,GAChB,IAAIzV,EACJ,MAAMp/B,EAAI,CAAC,EACX,IAAK,IAAIh3B,EAAI,EAAGA,EAAIyD,EAAEvD,OAAQF,IAAK,CACjC,MAAMw5D,EAAI/1D,EAAEzD,GAAI2vE,EAAIuP,GAAG1lB,GACvB,IAAIvzD,EAAI,GACR,GAAmBA,OAAT,IAAN4lE,EAAmB8D,EAAQ9D,EAAI,IAAM8D,EAAGA,IAAM7wC,EAAEq7C,kBAC5C,IAAN/jB,EAAeA,EAAIoD,EAAEmW,GAAKvZ,GAAK,GAAKoD,EAAEmW,OACnC,CACH,QAAU,IAANA,EACF,SACF,GAAInW,EAAEmW,GAAI,CACR,IAAIjnE,EAAIu2E,GAAGzlB,EAAEmW,GAAI7wC,EAAG74B,GACpB,MAAMhG,EAAIk/E,GAAGz2E,EAAGo2B,GAChB06B,EAAE,MAAQ4lB,GAAG12E,EAAG8wD,EAAE,MAAOvzD,EAAG64B,GAA+B,IAA1B/gC,OAAO6G,KAAK8D,GAAGxI,aAAsC,IAAtBwI,EAAEo2B,EAAEq7C,eAA6Br7C,EAAEm8C,qBAAyE,IAA1Bl9E,OAAO6G,KAAK8D,GAAGxI,SAAiB4+B,EAAEm8C,qBAAuBvyE,EAAEo2B,EAAEq7C,cAAgB,GAAKzxE,EAAI,IAA9GA,EAAIA,EAAEo2B,EAAEq7C,mBAAoH,IAATnjD,EAAE24C,IAAiB34C,EAAE/4B,eAAe0xE,IAAMvvE,MAAM6L,QAAQ+qB,EAAE24C,MAAQ34C,EAAE24C,GAAK,CAAC34C,EAAE24C,KAAM34C,EAAE24C,GAAG3wE,KAAK0J,IAAMo2B,EAAE7yB,QAAQ0jE,EAAG1pE,EAAGhG,GAAK+2B,EAAE24C,GAAK,CAACjnE,GAAKsuB,EAAE24C,GAAKjnE,CAC1X,CACF,CACF,CACA,MAAmB,iBAAL0tD,EAAgBA,EAAEl2D,OAAS,IAAM82B,EAAE8H,EAAEq7C,cAAgB/jB,QAAW,IAANA,IAAiBp/B,EAAE8H,EAAEq7C,cAAgB/jB,GAAIp/B,CACnH,CACA,SAASkoD,GAAGz7E,GACV,MAAMq7B,EAAI/gC,OAAO6G,KAAKnB,GACtB,IAAK,IAAIooE,EAAI,EAAGA,EAAI/sC,EAAE5+B,OAAQ2rE,IAAK,CACjC,MAAMzV,EAAIt3B,EAAE+sC,GACZ,GAAU,OAANzV,EACF,OAAOA,CACX,CACF,CACA,SAASgpB,GAAG37E,EAAGq7B,EAAG+sC,EAAGzV,GACnB,GAAIt3B,EAAG,CACL,MAAM9H,EAAIj5B,OAAO6G,KAAKk6B,GAAI9+B,EAAIg3B,EAAE92B,OAChC,IAAK,IAAIs5D,EAAI,EAAGA,EAAIx5D,EAAGw5D,IAAK,CAC1B,MAAMmW,EAAI34C,EAAEwiC,GACZpD,EAAEnqD,QAAQ0jE,EAAG9D,EAAI,IAAM8D,GAAG,GAAI,GAAMlsE,EAAEksE,GAAK,CAAC7wC,EAAE6wC,IAAMlsE,EAAEksE,GAAK7wC,EAAE6wC,EAC/D,CACF,CACF,CACA,SAASwP,GAAG17E,EAAGq7B,GACb,MAAQq7C,aAActO,GAAM/sC,EAAGs3B,EAAIr4D,OAAO6G,KAAKnB,GAAGvD,OAClD,QAAgB,IAANk2D,IAAiB,IAANA,IAAY3yD,EAAEooE,IAAqB,kBAARpoE,EAAEooE,IAA4B,IAATpoE,EAAEooE,IACzE,CACAmT,GAAGK,SA5CH,SAAY57E,EAAGq7B,GACb,OAAOmgD,GAAGx7E,EAAGq7B,EACf,EA2CA,MAAQ48C,aAAc4D,IAAOpR,GAAGrgC,GA7UvB,MACP,WAAAxrC,CAAYy8B,GACVtgC,KAAK8T,QAAUwsB,EAAGtgC,KAAKsrE,YAAc,KAAMtrE,KAAKq/E,cAAgB,GAAIr/E,KAAK0/E,gBAAkB,CAAC,EAAG1/E,KAAK2+E,aAAe,CACjHoC,KAAM,CAAEvyD,MAAO,qBAAsBlN,IAAK,KAC1Ci/D,GAAI,CAAE/xD,MAAO,mBAAoBlN,IAAK,KACtC2+D,GAAI,CAAEzxD,MAAO,mBAAoBlN,IAAK,KACtC0/D,KAAM,CAAExyD,MAAO,qBAAsBlN,IAAK,MACzCthB,KAAKmgF,UAAY,CAAE3xD,MAAO,oBAAqBlN,IAAK,KAAOthB,KAAK48E,aAAe,CAChFqE,MAAO,CAAEzyD,MAAO,iBAAkBlN,IAAK,KAMvC4/D,KAAM,CAAE1yD,MAAO,iBAAkBlN,IAAK,KACtC6/D,MAAO,CAAE3yD,MAAO,kBAAmBlN,IAAK,KACxC8/D,IAAK,CAAE5yD,MAAO,gBAAiBlN,IAAK,KACpC+/D,KAAM,CAAE7yD,MAAO,kBAAmBlN,IAAK,KACvCggE,UAAW,CAAE9yD,MAAO,iBAAkBlN,IAAK,KAC3CigE,IAAK,CAAE/yD,MAAO,gBAAiBlN,IAAK,KACpCkgE,IAAK,CAAEhzD,MAAO,iBAAkBlN,IAAK,MACpCthB,KAAKyhF,oBAAsB/C,GAAI1+E,KAAK0hF,SAAWxC,GAAIl/E,KAAK2/E,cAAgBf,GAAI5+E,KAAKi/E,iBAAmBF,GAAI/+E,KAAKw/E,mBAAqB/jB,GAAIz7D,KAAK6/E,aAAeQ,GAAIrgF,KAAK6+E,qBAAuBqB,GAAIlgF,KAAK+/E,iBAAmBQ,GAAIvgF,KAAKm/E,oBAAsBiB,GAAIpgF,KAAKk+E,SAAW+B,EAC9Q,IAuTyCY,SAAUc,IAAOnB,GAAIoB,GAAK5wB,EAiDrE,SAAS6wB,GAAG58E,EAAGq7B,EAAG+sC,EAAGzV,GACnB,IAAIp/B,EAAI,GAAIh3B,GAAI,EAChB,IAAK,IAAIw5D,EAAI,EAAGA,EAAI/1D,EAAEvD,OAAQs5D,IAAK,CACjC,MAAMmW,EAAIlsE,EAAE+1D,GAAIvzD,EAAIq6E,GAAG3Q,GACvB,QAAU,IAAN1pE,EACF,SACF,IAAIyC,EAAI,GACR,GAAqBA,EAAJ,IAAbmjE,EAAE3rE,OAAmB+F,EAAQ,GAAG4lE,KAAK5lE,IAAKA,IAAM64B,EAAEq7C,aAAc,CAClE,IAAI13D,EAAIktD,EAAE1pE,GACVs6E,GAAG73E,EAAGo2B,KAAOrc,EAAIqc,EAAEg8C,kBAAkB70E,EAAGwc,GAAIA,EAAI+9D,GAAG/9D,EAAGqc,IAAK9+B,IAAMg3B,GAAKo/B,GAAIp/B,GAAKvU,EAAGziB,GAAI,EACtF,QACF,CAAO,GAAIiG,IAAM64B,EAAE27C,cAAe,CAChCz6E,IAAMg3B,GAAKo/B,GAAIp/B,GAAK,YAAY24C,EAAE1pE,GAAG,GAAG64B,EAAEq7C,mBAAoBn6E,GAAI,EAClE,QACF,CAAO,GAAIiG,IAAM64B,EAAEo8C,gBAAiB,CAClClkD,GAAKo/B,EAAI,UAAOuZ,EAAE1pE,GAAG,GAAG64B,EAAEq7C,sBAAoBn6E,GAAI,EAClD,QACF,CAAO,GAAa,MAATiG,EAAE,GAAY,CACvB,MAAMwc,EAAIg+D,GAAE9Q,EAAE,MAAO7wC,GAAIxc,EAAU,SAANrc,EAAe,GAAKmwD,EACjD,IAAIkoB,EAAI3O,EAAE1pE,GAAG,GAAG64B,EAAEq7C,cAClBmE,EAAiB,IAAbA,EAAEp+E,OAAe,IAAMo+E,EAAI,GAAItnD,GAAK1U,EAAI,IAAIrc,IAAIq4E,IAAI77D,MAAOziB,GAAI,EACnE,QACF,CACA,IAAIC,EAAIm2D,EACF,KAANn2D,IAAaA,GAAK6+B,EAAE4hD,UACpB,MAAyBthE,EAAIg3C,EAAI,IAAInwD,IAA3Bw6E,GAAE9Q,EAAE,MAAO7wC,KAAyBl9B,EAAIy+E,GAAG1Q,EAAE1pE,GAAI64B,EAAGp2B,EAAGzI,IAClC,IAA/B6+B,EAAEg6C,aAAapkE,QAAQzO,GAAY64B,EAAE6hD,qBAAuB3pD,GAAK5X,EAAI,IAAM4X,GAAK5X,EAAI,KAASxd,GAAkB,IAAbA,EAAE1B,SAAiB4+B,EAAE8hD,kBAAoCh/E,GAAKA,EAAEi/E,SAAS,KAAO7pD,GAAK5X,EAAI,IAAIxd,IAAIw0D,MAAMnwD,MAAQ+wB,GAAK5X,EAAI,IAAKxd,GAAW,KAANw0D,IAAax0D,EAAEiD,SAAS,OAASjD,EAAEiD,SAAS,OAASmyB,GAAKo/B,EAAIt3B,EAAE4hD,SAAW9+E,EAAIw0D,EAAIp/B,GAAKp1B,EAAGo1B,GAAK,KAAK/wB,MAA9L+wB,GAAK5X,EAAI,KAA4Lpf,GAAI,CACtV,CACA,OAAOg3B,CACT,CACA,SAASspD,GAAG78E,GACV,MAAMq7B,EAAI/gC,OAAO6G,KAAKnB,GACtB,IAAK,IAAIooE,EAAI,EAAGA,EAAI/sC,EAAE5+B,OAAQ2rE,IAAK,CACjC,MAAMzV,EAAIt3B,EAAE+sC,GACZ,GAAIpoE,EAAExF,eAAem4D,IAAY,OAANA,EACzB,OAAOA,CACX,CACF,CACA,SAASqqB,GAAEh9E,EAAGq7B,GACZ,IAAI+sC,EAAI,GACR,GAAIpoE,IAAMq7B,EAAEs7C,iBACV,IAAK,IAAIhkB,KAAK3yD,EAAG,CACf,IAAKA,EAAExF,eAAem4D,GACpB,SACF,IAAIp/B,EAAI8H,EAAEi8C,wBAAwB3kB,EAAG3yD,EAAE2yD,IACvCp/B,EAAIwpD,GAAGxpD,EAAG8H,IAAU,IAAN9H,GAAY8H,EAAEgiD,0BAA4BjV,GAAK,IAAIzV,EAAEjvC,OAAO2X,EAAEm7C,oBAAoB/5E,UAAY2rE,GAAK,IAAIzV,EAAEjvC,OAAO2X,EAAEm7C,oBAAoB/5E,YAAY82B,IAClK,CACF,OAAO60C,CACT,CACA,SAAS0U,GAAG98E,EAAGq7B,GAEb,IAAI+sC,GADJpoE,EAAIA,EAAE0jB,OAAO,EAAG1jB,EAAEvD,OAAS4+B,EAAEq7C,aAAaj6E,OAAS,IACzCinB,OAAO1jB,EAAEm6E,YAAY,KAAO,GACtC,IAAK,IAAIxnB,KAAKt3B,EAAEk8C,UACd,GAAIl8C,EAAEk8C,UAAU5kB,KAAO3yD,GAAKq7B,EAAEk8C,UAAU5kB,KAAO,KAAOyV,EACpD,OAAO,EACX,OAAO,CACT,CACA,SAAS2U,GAAG/8E,EAAGq7B,GACb,GAAIr7B,GAAKA,EAAEvD,OAAS,GAAK4+B,EAAEq8C,gBACzB,IAAK,IAAItP,EAAI,EAAGA,EAAI/sC,EAAEg+C,SAAS58E,OAAQ2rE,IAAK,CAC1C,MAAMzV,EAAIt3B,EAAEg+C,SAASjR,GACrBpoE,EAAIA,EAAE8G,QAAQ6rD,EAAEppC,MAAOopC,EAAEt2C,IAC3B,CACF,OAAOrc,CACT,CAEA,MAAMs9E,GAtEN,SAAYt9E,EAAGq7B,GACb,IAAI+sC,EAAI,GACR,OAAO/sC,EAAE4f,QAAU5f,EAAE4hD,SAASxgF,OAAS,IAAM2rE,EAJpC,MAI6CwU,GAAG58E,EAAGq7B,EAAG,GAAI+sC,EACrE,EAmEemV,GAAK,CAClB/G,oBAAqB,KACrBC,qBAAqB,EACrBC,aAAc,QACdC,kBAAkB,EAClBK,eAAe,EACf/7B,QAAQ,EACRgiC,SAAU,KACVE,mBAAmB,EACnBD,sBAAsB,EACtBG,2BAA2B,EAC3BhG,kBAAmB,SAASr3E,EAAGq7B,GAC7B,OAAOA,CACT,EACAi8C,wBAAyB,SAASt3E,EAAGq7B,GACnC,OAAOA,CACT,EACAk7C,eAAe,EACfkB,iBAAiB,EACjBpC,aAAc,GACdgE,SAAU,CACR,CAAE9vD,MAAO,IAAIlT,OAAO,IAAK,KAAMgG,IAAK,SAEpC,CAAEkN,MAAO,IAAIlT,OAAO,IAAK,KAAMgG,IAAK,QACpC,CAAEkN,MAAO,IAAIlT,OAAO,IAAK,KAAMgG,IAAK,QACpC,CAAEkN,MAAO,IAAIlT,OAAO,IAAK,KAAMgG,IAAK,UACpC,CAAEkN,MAAO,IAAIlT,OAAO,IAAK,KAAMgG,IAAK,WAEtCq7D,iBAAiB,EACjBH,UAAW,GAGXiG,cAAc,GAEhB,SAAS5kE,GAAE5Y,GACTjF,KAAK8T,QAAUvU,OAAOmF,OAAO,CAAC,EAAG89E,GAAIv9E,GAAIjF,KAAK8T,QAAQ8nE,kBAAoB57E,KAAK8T,QAAQ4nE,oBAAsB17E,KAAK0iF,YAAc,WAC9H,OAAO,CACT,GAAK1iF,KAAK2iF,cAAgB3iF,KAAK8T,QAAQ2nE,oBAAoB/5E,OAAQ1B,KAAK0iF,YAAcE,IAAK5iF,KAAK6iF,qBAAuBC,GAAI9iF,KAAK8T,QAAQosC,QAAUlgD,KAAK+iF,UAAYC,GAAIhjF,KAAKijF,WAAa,MACxLjjF,KAAKkjF,QAAU,OACZljF,KAAK+iF,UAAY,WACnB,MAAO,EACT,EAAG/iF,KAAKijF,WAAa,IAAKjjF,KAAKkjF,QAAU,GAC3C,CA4CA,SAASJ,GAAG79E,EAAGq7B,EAAG+sC,GAChB,MAAMzV,EAAI53D,KAAKmjF,IAAIl+E,EAAGooE,EAAI,GAC1B,YAAwC,IAAjCpoE,EAAEjF,KAAK8T,QAAQ6nE,eAAsD,IAA1Bp8E,OAAO6G,KAAKnB,GAAGvD,OAAe1B,KAAKojF,iBAAiBn+E,EAAEjF,KAAK8T,QAAQ6nE,cAAer7C,EAAGs3B,EAAEyrB,QAAShW,GAAKrtE,KAAKsjF,gBAAgB1rB,EAAEt2C,IAAKgf,EAAGs3B,EAAEyrB,QAAShW,EACnM,CAiCA,SAAS2V,GAAG/9E,GACV,OAAOjF,KAAK8T,QAAQouE,SAASh7D,OAAOjiB,EACtC,CACA,SAAS29E,GAAG39E,GACV,SAAOA,EAAEgO,WAAWjT,KAAK8T,QAAQ2nE,sBAAwBx2E,IAAMjF,KAAK8T,QAAQ6nE,eAAe12E,EAAE0jB,OAAO3oB,KAAK2iF,cAC3G,CApFA9kE,GAAEre,UAAUm+B,MAAQ,SAAS14B,GAC3B,OAAOjF,KAAK8T,QAAQ0nE,cAAgB+G,GAAGt9E,EAAGjF,KAAK8T,UAAYlS,MAAM6L,QAAQxI,IAAMjF,KAAK8T,QAAQyvE,eAAiBvjF,KAAK8T,QAAQyvE,cAAc7hF,OAAS,IAAMuD,EAAI,CACzJ,CAACjF,KAAK8T,QAAQyvE,eAAgBt+E,IAC5BjF,KAAKmjF,IAAIl+E,EAAG,GAAGqc,IACrB,EACAzD,GAAEre,UAAU2jF,IAAM,SAASl+E,EAAGq7B,GAC5B,IAAI+sC,EAAI,GAAIzV,EAAI,GAChB,IAAK,IAAIp/B,KAAKvzB,EACZ,GAAI1F,OAAOC,UAAUC,eAAeyB,KAAK+D,EAAGuzB,GAC1C,UAAWvzB,EAAEuzB,GAAK,IAChBx4B,KAAK0iF,YAAYlqD,KAAOo/B,GAAK,SAC1B,GAAa,OAAT3yD,EAAEuzB,GACTx4B,KAAK0iF,YAAYlqD,GAAKo/B,GAAK,GAAc,MAATp/B,EAAE,GAAao/B,GAAK53D,KAAK+iF,UAAUziD,GAAK,IAAM9H,EAAI,IAAMx4B,KAAKijF,WAAarrB,GAAK53D,KAAK+iF,UAAUziD,GAAK,IAAM9H,EAAI,IAAMx4B,KAAKijF,gBACrJ,GAAIh+E,EAAEuzB,aAAc5yB,KACvBgyD,GAAK53D,KAAKojF,iBAAiBn+E,EAAEuzB,GAAIA,EAAG,GAAI8H,QACrC,GAAmB,iBAARr7B,EAAEuzB,GAAgB,CAChC,MAAMh3B,EAAIxB,KAAK0iF,YAAYlqD,GAC3B,GAAIh3B,EACF6rE,GAAKrtE,KAAKwjF,iBAAiBhiF,EAAG,GAAKyD,EAAEuzB,SAClC,GAAIA,IAAMx4B,KAAK8T,QAAQ6nE,aAAc,CACxC,IAAI3gB,EAAIh7D,KAAK8T,QAAQwoE,kBAAkB9jD,EAAG,GAAKvzB,EAAEuzB,IACjDo/B,GAAK53D,KAAK6+E,qBAAqB7jB,EACjC,MACEpD,GAAK53D,KAAKojF,iBAAiBn+E,EAAEuzB,GAAIA,EAAG,GAAI8H,EAC5C,MAAO,GAAI1+B,MAAM6L,QAAQxI,EAAEuzB,IAAK,CAC9B,MAAMh3B,EAAIyD,EAAEuzB,GAAG92B,OACf,IAAIs5D,EAAI,GACR,IAAK,IAAImW,EAAI,EAAGA,EAAI3vE,EAAG2vE,IAAK,CAC1B,MAAM1pE,EAAIxC,EAAEuzB,GAAG24C,UACR1pE,EAAI,MAAc,OAANA,EAAsB,MAAT+wB,EAAE,GAAao/B,GAAK53D,KAAK+iF,UAAUziD,GAAK,IAAM9H,EAAI,IAAMx4B,KAAKijF,WAAarrB,GAAK53D,KAAK+iF,UAAUziD,GAAK,IAAM9H,EAAI,IAAMx4B,KAAKijF,WAAyB,iBAALx7E,EAAgBzH,KAAK8T,QAAQ2uE,aAAeznB,GAAKh7D,KAAKmjF,IAAI17E,EAAG64B,EAAI,GAAGhf,IAAM05C,GAAKh7D,KAAK6iF,qBAAqBp7E,EAAG+wB,EAAG8H,GAAK06B,GAAKh7D,KAAKojF,iBAAiB37E,EAAG+wB,EAAG,GAAI8H,GACvU,CACAtgC,KAAK8T,QAAQ2uE,eAAiBznB,EAAIh7D,KAAKsjF,gBAAgBtoB,EAAGxiC,EAAG,GAAI8H,IAAKs3B,GAAKoD,CAC7E,MAAO,GAAIh7D,KAAK8T,QAAQ4nE,qBAAuBljD,IAAMx4B,KAAK8T,QAAQ4nE,oBAAqB,CACrF,MAAMl6E,EAAIjC,OAAO6G,KAAKnB,EAAEuzB,IAAKwiC,EAAIx5D,EAAEE,OACnC,IAAK,IAAIyvE,EAAI,EAAGA,EAAInW,EAAGmW,IACrB9D,GAAKrtE,KAAKwjF,iBAAiBhiF,EAAE2vE,GAAI,GAAKlsE,EAAEuzB,GAAGh3B,EAAE2vE,IACjD,MACEvZ,GAAK53D,KAAK6iF,qBAAqB59E,EAAEuzB,GAAIA,EAAG8H,GAC9C,MAAO,CAAE+iD,QAAShW,EAAG/rD,IAAKs2C,EAC5B,EACA/5C,GAAEre,UAAUgkF,iBAAmB,SAASv+E,EAAGq7B,GACzC,OAAOA,EAAItgC,KAAK8T,QAAQyoE,wBAAwBt3E,EAAG,GAAKq7B,GAAIA,EAAItgC,KAAK6+E,qBAAqBv+C,GAAItgC,KAAK8T,QAAQwuE,2BAAmC,SAANhiD,EAAe,IAAMr7B,EAAI,IAAMA,EAAI,KAAOq7B,EAAI,GACxL,EAKAziB,GAAEre,UAAU8jF,gBAAkB,SAASr+E,EAAGq7B,EAAG+sC,EAAGzV,GAC9C,GAAU,KAAN3yD,EACF,MAAgB,MAATq7B,EAAE,GAAatgC,KAAK+iF,UAAUnrB,GAAK,IAAMt3B,EAAI+sC,EAAI,IAAMrtE,KAAKijF,WAAajjF,KAAK+iF,UAAUnrB,GAAK,IAAMt3B,EAAI+sC,EAAIrtE,KAAK+0D,SAASz0B,GAAKtgC,KAAKijF,WAC5I,CACE,IAAIzqD,EAAI,KAAO8H,EAAItgC,KAAKijF,WAAYzhF,EAAI,GACxC,MAAgB,MAAT8+B,EAAE,KAAe9+B,EAAI,IAAKg3B,EAAI,KAAM60C,GAAW,KAANA,IAAiC,IAApBpoE,EAAEiR,QAAQ,MAAmG,IAAjClW,KAAK8T,QAAQ4oE,iBAA0Bp8C,IAAMtgC,KAAK8T,QAAQ4oE,iBAAgC,IAAbl7E,EAAEE,OAAe1B,KAAK+iF,UAAUnrB,GAAK,UAAO3yD,UAASjF,KAAKkjF,QAAUljF,KAAK+iF,UAAUnrB,GAAK,IAAMt3B,EAAI+sC,EAAI7rE,EAAIxB,KAAKijF,WAAah+E,EAAIjF,KAAK+iF,UAAUnrB,GAAKp/B,EAArRx4B,KAAK+iF,UAAUnrB,GAAK,IAAMt3B,EAAI+sC,EAAI7rE,EAAI,IAAMyD,EAAIuzB,CACvI,CACF,EACA3a,GAAEre,UAAUu1D,SAAW,SAAS9vD,GAC9B,IAAIq7B,EAAI,GACR,OAAiD,IAA1CtgC,KAAK8T,QAAQwmE,aAAapkE,QAAQjR,GAAYjF,KAAK8T,QAAQquE,uBAAyB7hD,EAAI,KAAwCA,EAAjCtgC,KAAK8T,QAAQsuE,kBAAwB,IAAU,MAAMn9E,IAAKq7B,CAClK,EACAziB,GAAEre,UAAU4jF,iBAAmB,SAASn+E,EAAGq7B,EAAG+sC,EAAGzV,GAC/C,IAAmC,IAA/B53D,KAAK8T,QAAQmoE,eAAwB37C,IAAMtgC,KAAK8T,QAAQmoE,cAC1D,OAAOj8E,KAAK+iF,UAAUnrB,GAAK,YAAY3yD,OAASjF,KAAKkjF,QACvD,IAAqC,IAAjCljF,KAAK8T,QAAQ4oE,iBAA0Bp8C,IAAMtgC,KAAK8T,QAAQ4oE,gBAC5D,OAAO18E,KAAK+iF,UAAUnrB,GAAK,UAAO3yD,UAASjF,KAAKkjF,QAClD,GAAa,MAAT5iD,EAAE,GACJ,OAAOtgC,KAAK+iF,UAAUnrB,GAAK,IAAMt3B,EAAI+sC,EAAI,IAAMrtE,KAAKijF,WACtD,CACE,IAAIzqD,EAAIx4B,KAAK8T,QAAQwoE,kBAAkBh8C,EAAGr7B,GAC1C,OAAOuzB,EAAIx4B,KAAK6+E,qBAAqBrmD,GAAU,KAANA,EAAWx4B,KAAK+iF,UAAUnrB,GAAK,IAAMt3B,EAAI+sC,EAAIrtE,KAAK+0D,SAASz0B,GAAKtgC,KAAKijF,WAAajjF,KAAK+iF,UAAUnrB,GAAK,IAAMt3B,EAAI+sC,EAAI,IAAM70C,EAAI,KAAO8H,EAAItgC,KAAKijF,UACzL,CACF,EACAplE,GAAEre,UAAUq/E,qBAAuB,SAAS55E,GAC1C,GAAIA,GAAKA,EAAEvD,OAAS,GAAK1B,KAAK8T,QAAQ6oE,gBACpC,IAAK,IAAIr8C,EAAI,EAAGA,EAAItgC,KAAK8T,QAAQwqE,SAAS58E,OAAQ4+B,IAAK,CACrD,MAAM+sC,EAAIrtE,KAAK8T,QAAQwqE,SAASh+C,GAChCr7B,EAAIA,EAAE8G,QAAQshE,EAAE7+C,MAAO6+C,EAAE/rD,IAC3B,CACF,OAAOrc,CACT,EASA,IAAIw+E,GAAI,CACNC,UArPO,MACP,WAAA7/E,CAAYy8B,GACVtgC,KAAK2jF,iBAAmB,CAAC,EAAG3jF,KAAK8T,QAAUgtE,GAAGxgD,EAChD,CAMA,KAAAt7B,CAAMs7B,EAAG+sC,GACP,GAAgB,iBAAL/sC,EACT,KAAIA,EAAE54B,SAGJ,MAAM,IAAIoE,MAAM,mDAFhBw0B,EAAIA,EAAE54B,UAE4D,CACtE,GAAI2lE,EAAG,EACC,IAANA,IAAaA,EAAI,CAAC,GAClB,MAAM7rE,EAAIogF,GAAGjH,SAASr6C,EAAG+sC,GACzB,IAAU,IAAN7rE,EACF,MAAMsK,MAAM,GAAGtK,EAAEuf,IAAIsW,OAAO71B,EAAEuf,IAAI2wC,QAAQlwD,EAAEuf,IAAIk6D,MACpD,CACA,MAAMrjB,EAAI,IAAIvoB,GAAGrvC,KAAK8T,SACtB8jD,EAAE6pB,oBAAoBzhF,KAAK2jF,kBAC3B,MAAMnrD,EAAIo/B,EAAE8pB,SAASphD,GACrB,OAAOtgC,KAAK8T,QAAQ0nE,oBAAuB,IAANhjD,EAAeA,EAAImpD,GAAGnpD,EAAGx4B,KAAK8T,QACrE,CAMA,SAAA8vE,CAAUtjD,EAAG+sC,GACX,IAAwB,IAApBA,EAAEn3D,QAAQ,KACZ,MAAM,IAAIpK,MAAM,+BAClB,IAAwB,IAApBw0B,EAAEpqB,QAAQ,OAAmC,IAApBoqB,EAAEpqB,QAAQ,KACrC,MAAM,IAAIpK,MAAM,wEAClB,GAAU,MAANuhE,EACF,MAAM,IAAIvhE,MAAM,6CAClB9L,KAAK2jF,iBAAiBrjD,GAAK+sC,CAC7B,GA+MAwW,aAHS7yB,EAIT8yB,WALOjmE,IA0CT,MAAMkmE,GACJC,MACA,WAAAngF,CAAYy8B,GACV2jD,GAAG3jD,GAAItgC,KAAKgkF,MAAQ1jD,CACtB,CACA,MAAIj8B,GACF,OAAOrE,KAAKgkF,MAAM3/E,EACpB,CACA,QAAIrD,GACF,OAAOhB,KAAKgkF,MAAMhjF,IACpB,CACA,WAAI6jD,GACF,OAAO7kD,KAAKgkF,MAAMn/B,OACpB,CACA,cAAI+I,GACF,OAAO5tD,KAAKgkF,MAAMp2B,UACpB,CACA,gBAAIC,GACF,OAAO7tD,KAAKgkF,MAAMn2B,YACpB,CACA,eAAIb,GACF,OAAOhtD,KAAKgkF,MAAMh3B,WACpB,CACA,QAAI99C,GACF,OAAOlP,KAAKgkF,MAAM90E,IACpB,CACA,QAAIA,CAAKoxB,GACPtgC,KAAKgkF,MAAM90E,KAAOoxB,CACpB,CACA,SAAI2E,GACF,OAAOjlC,KAAKgkF,MAAM/+C,KACpB,CACA,SAAIA,CAAM3E,GACRtgC,KAAKgkF,MAAM/+C,MAAQ3E,CACrB,CACA,UAAIre,GACF,OAAOjiB,KAAKgkF,MAAM/hE,MACpB,CACA,UAAIA,CAAOqe,GACTtgC,KAAKgkF,MAAM/hE,OAASqe,CACtB,CACA,WAAIgf,GACF,OAAOt/C,KAAKgkF,MAAM1kC,OACpB,CACA,aAAI4kC,GACF,OAAOlkF,KAAKgkF,MAAME,SACpB,CACA,UAAI1hE,GACF,OAAOxiB,KAAKgkF,MAAMxhE,MACpB,CACA,UAAI6jB,GACF,OAAOrmC,KAAKgkF,MAAM39C,MACpB,CACA,YAAIP,GACF,OAAO9lC,KAAKgkF,MAAMl+C,QACpB,CACA,YAAIA,CAASxF,GACXtgC,KAAKgkF,MAAMl+C,SAAWxF,CACxB,CACA,kBAAIgjB,GACF,OAAOtjD,KAAKgkF,MAAM1gC,cACpB,EAEF,MAAM2gC,GAAK,SAASh/E,GAClB,IAAKA,EAAEZ,IAAqB,iBAARY,EAAEZ,GACpB,MAAM,IAAIyH,MAAM,4CAClB,IAAK7G,EAAEjE,MAAyB,iBAAViE,EAAEjE,KACtB,MAAM,IAAI8K,MAAM,8CAClB,GAAI7G,EAAEq6C,SAAWr6C,EAAEq6C,QAAQ59C,OAAS,KAAOuD,EAAE4/C,SAA+B,iBAAb5/C,EAAE4/C,SAC/D,MAAM,IAAI/4C,MAAM,qEAClB,IAAK7G,EAAE+nD,aAAuC,mBAAjB/nD,EAAE+nD,YAC7B,MAAM,IAAIlhD,MAAM,uDAClB,IAAK7G,EAAEiK,MAAyB,iBAAVjK,EAAEiK,OA3G1B,SAAYjK,GACV,GAAgB,iBAALA,EACT,MAAM,IAAI7E,UAAU,uCAAuC6E,OAC7D,GAA+B,KAA3BA,EAAIA,EAAEmZ,QAAU1c,SAA+C,IAA/B+hF,GAAEI,aAAalJ,SAAS11E,GAC1D,OAAO,EACT,IAAIq7B,EACJ,MAAM+sC,EAAI,IAAIoW,GAAEC,UAChB,IACEpjD,EAAI+sC,EAAEroE,MAAMC,EACd,CAAE,MACA,OAAO,CACT,CACA,SAAUq7B,KAAO,QAASA,GAC5B,CA8F+C6jD,CAAGl/E,EAAEiK,MAChD,MAAM,IAAIpD,MAAM,wDAClB,KAAM,UAAW7G,IAAwB,iBAAXA,EAAEggC,MAC9B,MAAM,IAAIn5B,MAAM,+CAClB,GAAI7G,EAAEq6C,SAAWr6C,EAAEq6C,QAAQnuC,SAASmvB,IAClC,KAAMA,aAAak5C,GACjB,MAAM,IAAI1tE,MAAM,gEAAgE,IAChF7G,EAAEi/E,WAAmC,mBAAfj/E,EAAEi/E,UAC1B,MAAM,IAAIp4E,MAAM,qCAClB,GAAI7G,EAAEud,QAA6B,iBAAZvd,EAAEud,OACvB,MAAM,IAAI1W,MAAM,gCAClB,GAAI,WAAY7G,GAAwB,kBAAZA,EAAEohC,OAC5B,MAAM,IAAIv6B,MAAM,iCAClB,GAAI,aAAc7G,GAA0B,kBAAdA,EAAE6gC,SAC9B,MAAM,IAAIh6B,MAAM,mCAClB,GAAI7G,EAAEq+C,gBAA6C,iBAApBr+C,EAAEq+C,eAC/B,MAAM,IAAIx3C,MAAM,wCAClB,OAAO,CACT,EA2BGs4E,GAAK,SAASn/E,GACf,cAphEc9B,OAAOkhF,gBAAkB,MAAQlhF,OAAOkhF,gBAAkB,IAAIhP,EAAMntD,EAAEmd,MAAM,4BAA6BliC,OAAOkhF,iBAohEnHj7B,WAAWnkD,GAAG2Y,MAAK,CAACyvD,EAAGzV,SAAkB,IAAZyV,EAAEpoC,YAAgC,IAAZ2yB,EAAE3yB,OAAoBooC,EAAEpoC,QAAU2yB,EAAE3yB,MAAQooC,EAAEpoC,MAAQ2yB,EAAE3yB,MAAQooC,EAAEjiC,YAAYxE,cAAcgxB,EAAExsB,iBAAa,EAAQ,CAAEk5C,SAAS,EAAIC,YAAa,UAC/M,oOCtmEIzwE,EAAU,CAAC,EAEfA,EAAQwtB,kBAAoB,IAC5BxtB,EAAQytB,cAAgB,IAElBztB,EAAQ0tB,OAAS,SAAc,KAAM,QAE3C1tB,EAAQ2tB,OAAS,IACjB3tB,EAAQ4tB,mBAAqB,IAEhB,IAAI,IAAS5tB,GAKJ,KAAW,IAAQ6tB,QAAS,IAAQA,iEC1BnD,MAAM6iD,UAAoB14E,MAChC,WAAAjI,CAAYuzB,GACXihD,MAAMjhD,GAAU,wBAChBp3B,KAAKgB,KAAO,aACb,CAEA,cAAIyjF,GACH,OAAO,CACR,EAGD,MAAMC,EAAenlF,OAAO+iB,OAAO,CAClCqS,QAASptB,OAAO,WAChBo9E,SAAUp9E,OAAO,YACjB4vB,SAAU5vB,OAAO,YACjBq9E,SAAUr9E,OAAO,cAGH,MAAMs9E,EACpB,SAAOhlF,CAAGilF,GACT,MAAO,IAAIpmD,IAAe,IAAImmD,GAAY,CAACv+E,EAAS2J,EAAQ80E,KAC3DrmD,EAAWl+B,KAAKukF,GAChBD,KAAgBpmD,GAAYlmB,KAAKlS,EAAS2J,EAAO,GAEnD,CAEA,GAAkB,GAClB,IAAkB,EAClB,GAASy0E,EAAa/vD,QACtB,GACA,GAEA,WAAA9wB,CAAYmhF,GACXhlF,MAAK,EAAW,IAAIuG,SAAQ,CAACD,EAAS2J,KACrCjQ,MAAK,EAAUiQ,EAEf,MAcM80E,EAAWj5D,IAChB,GAAI9rB,MAAK,IAAW0kF,EAAa/vD,QAChC,MAAM,IAAI7oB,MAAM,2DAA2D9L,MAAK,EAAOilF,gBAGxFjlF,MAAK,EAAgBQ,KAAKsrB,EAAQ,EAGnCvsB,OAAOo7B,iBAAiBoqD,EAAU,CACjCG,aAAc,CACbn/E,IAAK,IAAM/F,MAAK,EAChB+S,IAAKoyE,IACJnlF,MAAK,EAAkBmlF,CAAO,KAKjCH,GA/BkB3/E,IACbrF,MAAK,IAAW0kF,EAAaC,UAAaI,EAASG,eACtD5+E,EAAQjB,GACRrF,MAAK,EAAU0kF,EAAavtD,UAC7B,IAGgBluB,IACZjJ,MAAK,IAAW0kF,EAAaC,UAAaI,EAASG,eACtDj1E,EAAOhH,GACPjJ,MAAK,EAAU0kF,EAAaE,UAC7B,GAoB6BG,EAAS,GAEzC,CAGA,IAAAvsE,CAAK4sE,EAAaC,GACjB,OAAOrlF,MAAK,EAASwY,KAAK4sE,EAAaC,EACxC,CAEA,MAAMA,GACL,OAAOrlF,MAAK,EAAS8Y,MAAMusE,EAC5B,CAEA,QAAQC,GACP,OAAOtlF,MAAK,EAASulF,QAAQD,EAC9B,CAEA,MAAAzmD,CAAOzH,GACN,GAAIp3B,MAAK,IAAW0kF,EAAa/vD,QAAjC,CAMA,GAFA30B,MAAK,EAAU0kF,EAAaC,UAExB3kF,MAAK,EAAgB0B,OAAS,EACjC,IACC,IAAK,MAAMoqB,KAAW9rB,MAAK,EAC1B8rB,GAEF,CAAE,MAAO7iB,GAER,YADAjJ,MAAK,EAAQiJ,EAEd,CAGGjJ,MAAK,GACRA,MAAK,EAAQ,IAAIwkF,EAAYptD,GAhB9B,CAkBD,CAEA,cAAIqtD,GACH,OAAOzkF,MAAK,IAAW0kF,EAAaC,QACrC,CAEA,GAAU/3E,GACL5M,MAAK,IAAW0kF,EAAa/vD,UAChC30B,MAAK,EAAS4M,EAEhB,EAGDrN,OAAOimF,eAAeX,EAAYrlF,UAAW+G,QAAQ/G,0BCtH9C,MAAMimF,UAAqB35E,MACjC,WAAAjI,CAAYqI,GACXmsE,MAAMnsE,GACNlM,KAAKgB,KAAO,cACb,EAOM,MAAM0kF,UAAmB55E,MAC/B,WAAAjI,CAAYqI,GACXmsE,QACAr4E,KAAKgB,KAAO,aACZhB,KAAKkM,QAAUA,CAChB,EAMD,MAAMy5E,EAAkBC,QAA4CpjF,IAA5B2F,WAAW09E,aAChD,IAAIH,EAAWE,GACf,IAAIC,aAAaD,GAKdE,EAAmBC,IACxB,MAAM3uD,OAA2B50B,IAAlBujF,EAAO3uD,OACnBuuD,EAAgB,+BAChBI,EAAO3uD,OAEV,OAAOA,aAAkBtrB,MAAQsrB,EAASuuD,EAAgBvuD,EAAO,ECjCnD,MAAM4uD,EACjB,GAAS,GACT,OAAAC,CAAQ/sE,EAAKpF,GAKT,MAAM+1B,EAAU,CACZq8C,UALJpyE,EAAU,CACNoyE,SAAU,KACPpyE,IAGeoyE,SAClBhtE,OAEJ,GAAIlZ,KAAKyS,MAAQzS,MAAK,EAAOA,KAAKyS,KAAO,GAAGyzE,UAAYpyE,EAAQoyE,SAE5D,YADAlmF,MAAK,EAAOQ,KAAKqpC,GAGrB,MAAMnqB,ECdC,SAAoBymE,EAAO9gF,EAAO+gF,GAC7C,IAAIC,EAAQ,EACR7hB,EAAQ2hB,EAAMzkF,OAClB,KAAO8iE,EAAQ,GAAG,CACd,MAAMtwC,EAAOqC,KAAK+vD,MAAM9hB,EAAQ,GAChC,IAAIka,EAAK2H,EAAQnyD,EACbkyD,EAAWD,EAAMzH,GAAKr5E,IAAU,GAChCghF,IAAU3H,EACVla,GAAStwC,EAAO,GAGhBswC,EAAQtwC,CAEhB,CACA,OAAOmyD,CACX,CDDsBE,CAAWvmF,MAAK,EAAQ6pC,GAAS,CAAC3/B,EAAG2T,IAAMA,EAAEqoE,SAAWh8E,EAAEg8E,WACxElmF,MAAK,EAAOmW,OAAOuJ,EAAO,EAAGmqB,EACjC,CACA,OAAA28C,GACI,MAAMliF,EAAOtE,MAAK,EAAOqhB,QACzB,OAAO/c,GAAM4U,GACjB,CACA,MAAAlH,CAAO8B,GACH,OAAO9T,MAAK,EAAOgS,QAAQ63B,GAAYA,EAAQq8C,WAAapyE,EAAQoyE,WAAUj0E,KAAK43B,GAAYA,EAAQ3wB,KAC3G,CACA,QAAIzG,GACA,OAAOzS,MAAK,EAAO0B,MACvB,EEtBW,MAAMswC,UAAe,EAChC,GACA,GACA,GAAiB,EACjB,GACA,GACA,GAAe,EACf,GACA,GACA,GACA,GACA,GAAW,EAEX,GACA,GACA,GAMAuqB,QAEA,WAAA14D,CAAYiQ,GAYR,GAXAukE,UAWqC,iBATrCvkE,EAAU,CACN2yE,2BAA2B,EAC3BC,YAAa5oE,OAAO6oE,kBACpBC,SAAU,EACV30C,YAAan0B,OAAO6oE,kBACpBE,WAAW,EACXC,WAAYd,KACTlyE,IAEc4yE,aAA4B5yE,EAAQ4yE,aAAe,GACpE,MAAM,IAAItmF,UAAU,gEAAgE0T,EAAQ4yE,aAAah/E,YAAc,gBAAgBoM,EAAQ4yE,gBAEnJ,QAAyBlkF,IAArBsR,EAAQ8yE,YAA4B9oE,OAAOm7C,SAASnlD,EAAQ8yE,WAAa9yE,EAAQ8yE,UAAY,GAC7F,MAAM,IAAIxmF,UAAU,2DAA2D0T,EAAQ8yE,UAAUl/E,YAAc,gBAAgBoM,EAAQ8yE,aAE3I5mF,MAAK,EAA6B8T,EAAQ2yE,0BAC1CzmF,MAAK,EAAqB8T,EAAQ4yE,cAAgB5oE,OAAO6oE,mBAA0C,IAArB7yE,EAAQ8yE,SACtF5mF,MAAK,EAAe8T,EAAQ4yE,YAC5B1mF,MAAK,EAAY8T,EAAQ8yE,SACzB5mF,MAAK,EAAS,IAAI8T,EAAQgzE,WAC1B9mF,MAAK,EAAc8T,EAAQgzE,WAC3B9mF,KAAKiyC,YAAcn+B,EAAQm+B,YAC3BjyC,KAAKu8D,QAAUzoD,EAAQyoD,QACvBv8D,MAAK,GAA6C,IAA3B8T,EAAQizE,eAC/B/mF,MAAK,GAAkC,IAAtB8T,EAAQ+yE,SAC7B,CACA,KAAI,GACA,OAAO7mF,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,MAAMgD,EAAMI,KAAKJ,MACjB,QAAyBhD,IAArBxC,MAAK,EAA2B,CAChC,MAAM69B,EAAQ79B,MAAK,EAAewF,EAClC,KAAIq4B,EAAQ,GAYR,YALwBr7B,IAApBxC,MAAK,IACLA,MAAK,EAAa0K,YAAW,KACzB1K,MAAK,GAAmB,GACzB69B,KAEA,EATP79B,MAAK,EAAkBA,MAA+B,EAAIA,MAAK,EAAW,CAWlF,CACA,OAAO,CACX,CACA,KACI,GAAyB,IAArBA,MAAK,EAAOyS,KAWZ,OARIzS,MAAK,GACLs8D,cAAct8D,MAAK,GAEvBA,MAAK,OAAcwC,EACnBxC,KAAK8B,KAAK,SACY,IAAlB9B,MAAK,GACLA,KAAK8B,KAAK,SAEP,EAEX,IAAK9B,MAAK,EAAW,CACjB,MAAMgnF,GAAyBhnF,MAAK,EACpC,GAAIA,MAAK,GAA6BA,MAAK,EAA6B,CACpE,MAAMinF,EAAMjnF,MAAK,EAAOwmF,UACxB,QAAKS,IAGLjnF,KAAK8B,KAAK,UACVmlF,IACID,GACAhnF,MAAK,KAEF,EACX,CACJ,CACA,OAAO,CACX,CACA,KACQA,MAAK,QAA2CwC,IAArBxC,MAAK,IAGpCA,MAAK,EAAcygC,aAAY,KAC3BzgC,MAAK,GAAa,GACnBA,MAAK,GACRA,MAAK,EAAe4F,KAAKJ,MAAQxF,MAAK,EAC1C,CACA,KACgC,IAAxBA,MAAK,GAA0C,IAAlBA,MAAK,GAAkBA,MAAK,IACzDs8D,cAAct8D,MAAK,GACnBA,MAAK,OAAcwC,GAEvBxC,MAAK,EAAiBA,MAAK,EAA6BA,MAAK,EAAW,EACxEA,MAAK,GACT,CAIA,KAEI,KAAOA,MAAK,MAChB,CACA,eAAIiyC,GACA,OAAOjyC,MAAK,CAChB,CACA,eAAIiyC,CAAYi1C,GACZ,KAAgC,iBAAnBA,GAA+BA,GAAkB,GAC1D,MAAM,IAAI9mF,UAAU,gEAAgE8mF,eAA4BA,MAEpHlnF,MAAK,EAAeknF,EACpBlnF,MAAK,GACT,CACA,OAAM,CAAc+lF,GAChB,OAAO,IAAIx/E,SAAQ,CAAC4gF,EAAUl3E,KAC1B81E,EAAOj1D,iBAAiB,SAAS,KAC7B7gB,EAAO81E,EAAO3uD,OAAO,GACtB,CAAEr3B,MAAM,GAAO,GAE1B,CACA,SAAM6W,CAAIwwE,EAAWtzE,EAAU,CAAC,GAM5B,OALAA,EAAU,CACNyoD,QAASv8D,KAAKu8D,QACdwqB,eAAgB/mF,MAAK,KAClB8T,GAEA,IAAIvN,SAAQ,CAACD,EAAS2J,KACzBjQ,MAAK,EAAOimF,SAAQ32E,UAChBtP,MAAK,IACLA,MAAK,IACL,IACI8T,EAAQiyE,QAAQsB,iBAChB,IAAIv5E,EAAYs5E,EAAU,CAAErB,OAAQjyE,EAAQiyE,SACxCjyE,EAAQyoD,UACRzuD,EHhJT,SAAkBu9C,EAASv3C,GACzC,MAAM,aACLwzE,EAAY,SACZtuD,EAAQ,QACR9sB,EAAO,aACPq7E,EAAe,CAAC78E,WAAY6zB,eACzBzqB,EAEJ,IAAI0zE,EAEJ,MA0DMC,EA1DiB,IAAIlhF,SAAQ,CAACD,EAAS2J,KAC5C,GAA4B,iBAAjBq3E,GAAyD,IAA5B/wD,KAAKmxD,KAAKJ,GACjD,MAAM,IAAIlnF,UAAU,4DAA4DknF,OAGjF,GAAIxzE,EAAQiyE,OAAQ,CACnB,MAAM,OAACA,GAAUjyE,EACbiyE,EAAO1yD,SACVpjB,EAAO61E,EAAiBC,IAGzBA,EAAOj1D,iBAAiB,SAAS,KAChC7gB,EAAO61E,EAAiBC,GAAQ,GAElC,CAEA,GAAIuB,IAAiBxpE,OAAO6oE,kBAE3B,YADAt7B,EAAQ7yC,KAAKlS,EAAS2J,GAKvB,MAAM03E,EAAe,IAAIlC,EAEzB+B,EAAQD,EAAa78E,WAAWxJ,UAAKsB,GAAW,KAC/C,GAAIw2B,EACH,IACC1yB,EAAQ0yB,IACT,CAAE,MAAO/vB,GACRgH,EAAOhH,EACR,KAK6B,mBAAnBoiD,EAAQxsB,QAClBwsB,EAAQxsB,UAGO,IAAZ3yB,EACH5F,IACU4F,aAAmBJ,MAC7BmE,EAAO/D,IAEPy7E,EAAaz7E,QAAUA,GAAW,2BAA2Bo7E,iBAC7Dr3E,EAAO03E,GACR,GACEL,GAEH,WACC,IACChhF,QAAc+kD,EACf,CAAE,MAAOpiD,GACRgH,EAAOhH,EACR,CACA,EAND,EAMI,IAGoCs8E,SAAQ,KAChDkC,EAAkB7oD,OAAO,IAQ1B,OALA6oD,EAAkB7oD,MAAQ,KACzB2oD,EAAahpD,aAAar9B,UAAKsB,EAAWglF,GAC1CA,OAAQhlF,CAAS,EAGXilF,CACR,CGkEoCG,CAASrhF,QAAQD,QAAQwH,GAAY,CAAEw5E,aAAcxzE,EAAQyoD,WAEzEzoD,EAAQiyE,SACRj4E,EAAYvH,QAAQshF,KAAK,CAAC/5E,EAAW9N,MAAK,EAAc8T,EAAQiyE,WAEpE,MAAMl6E,QAAeiC,EACrBxH,EAAQuF,GACR7L,KAAK8B,KAAK,YAAa+J,EAC3B,CACA,MAAO5C,GACH,GAAIA,aAAiBw8E,IAAiB3xE,EAAQizE,eAE1C,YADAzgF,IAGJ2J,EAAOhH,GACPjJ,KAAK8B,KAAK,QAASmH,EACvB,CACA,QACIjJ,MAAK,GACT,IACD8T,GACH9T,KAAK8B,KAAK,OACV9B,MAAK,GAAoB,GAEjC,CACA,YAAM8nF,CAAOC,EAAWj0E,GACpB,OAAOvN,QAAQ8qC,IAAI02C,EAAU91E,KAAI3C,MAAO83E,GAAcpnF,KAAK4W,IAAIwwE,EAAWtzE,KAC9E,CAIA,KAAAmlC,GACI,OAAKj5C,MAAK,GAGVA,MAAK,GAAY,EACjBA,MAAK,IACEA,MAJIA,IAKf,CAIA,KAAAgoF,GACIhoF,MAAK,GAAY,CACrB,CAIA,KAAA4+B,GACI5+B,MAAK,EAAS,IAAIA,MAAK,CAC3B,CAMA,aAAMioF,GAEuB,IAArBjoF,MAAK,EAAOyS,YAGVzS,MAAK,EAAS,QACxB,CAQA,oBAAMkoF,CAAeC,GAEbnoF,MAAK,EAAOyS,KAAO01E,SAGjBnoF,MAAK,EAAS,QAAQ,IAAMA,MAAK,EAAOyS,KAAO01E,GACzD,CAMA,YAAMC,GAEoB,IAAlBpoF,MAAK,GAAuC,IAArBA,MAAK,EAAOyS,YAGjCzS,MAAK,EAAS,OACxB,CACA,OAAM,CAASG,EAAO6R,GAClB,OAAO,IAAIzL,SAAQD,IACf,MAAMjG,EAAW,KACT2R,IAAWA,MAGfhS,KAAK6C,IAAI1C,EAAOE,GAChBiG,IAAS,EAEbtG,KAAK2C,GAAGxC,EAAOE,EAAS,GAEhC,CAIA,QAAIoS,GACA,OAAOzS,MAAK,EAAOyS,IACvB,CAMA,MAAA41E,CAAOv0E,GAEH,OAAO9T,MAAK,EAAOgS,OAAO8B,GAASpS,MACvC,CAIA,WAAIizB,GACA,OAAO30B,MAAK,CAChB,CAIA,YAAIsoF,GACA,OAAOtoF,MAAK,CAChB,iBCpTG,MAAMuoF,EACR,CAAC1oF,EAAI2oF,EAAOC,IACR5oF,EAAGuU,KAAKq0E,kJCiBjB,SAASrL,EAAGn4E,EAAG2yD,GACb,OAAO,WACL,OAAO3yD,EAAExC,MAAMm1D,EAAGt1D,UACpB,CACF,CACA,MAAQoF,SAAUghF,GAAOnpF,OAAOC,WAAas6D,eAAgB6uB,GAAOppF,OAAQ0iF,GAAMh9E,GAG/D1F,OAAOqB,OAAO,MAHwDg3D,IACvF,MAAMt3B,EAAIooD,EAAGxnF,KAAK02D,GAClB,OAAO3yD,GAAEq7B,KAAOr7B,GAAEq7B,GAAKA,EAAEn/B,MAAM,GAAI,GAAGsL,cAAc,GACbmlD,EAAK3sD,IAAOA,EAAIA,EAAEwH,cAAgBmrD,GAAMqqB,EAAErqB,KAAO3yD,GAAIw+E,EAAKx+E,GAAO2yD,UAAaA,IAAM3yD,GAAKwI,QAASuwE,GAAMp8E,MAAOc,EAAI+gF,EAAE,aAH9E,IAAEx+E,GAOlF,MAAMowE,GAAKzjB,EAAE,eAKPg3B,GAAKnF,EAAE,UAAW/T,GAAI+T,EAAE,YAAaoF,GAAKpF,EAAE,UAAWrM,GAAKnyE,GAAY,OAANA,GAA0B,iBAALA,EAAiDk1E,GAAKl1E,IACjJ,GAAa,WAATg9E,EAAEh9E,GACJ,OAAO,EACT,MAAM2yD,EAAI+wB,EAAG1jF,GACb,QAAc,OAAN2yD,GAAcA,IAAMr4D,OAAOC,WAA0C,OAA7BD,OAAOu6D,eAAelC,IAAkBrwD,OAAO+sB,eAAervB,GAAQsC,OAAOgwB,YAAYtyB,EAAE,EAC1I6jF,GAAKl3B,EAAE,QAASm3B,GAAKn3B,EAAE,QAASo3B,GAAKp3B,EAAE,QAASq3B,GAAKr3B,EAAE,YAIvDs3B,GAAKt3B,EAAE,mBACV,SAAS8oB,GAAEz1E,EAAG2yD,GAAKuxB,WAAY7oD,GAAI,GAAO,CAAC,GACzC,GAAU,OAANr7B,UAAqBA,EAAI,IAC3B,OACF,IAAIuzB,EAAGtuB,EACP,GAAgB,iBAALjF,IAAkBA,EAAI,CAACA,IAAK+4E,EAAE/4E,GACvC,IAAKuzB,EAAI,EAAGtuB,EAAIjF,EAAEvD,OAAQ82B,EAAItuB,EAAGsuB,IAC/Bo/B,EAAE12D,KAAK,KAAM+D,EAAEuzB,GAAIA,EAAGvzB,OACrB,CACH,MAAMzD,EAAI8+B,EAAI/gC,OAAO4hE,oBAAoBl8D,GAAK1F,OAAO6G,KAAKnB,GAAIooE,EAAI7rE,EAAEE,OACpE,IAAIs5D,EACJ,IAAKxiC,EAAI,EAAGA,EAAI60C,EAAG70C,IACjBwiC,EAAIx5D,EAAEg3B,GAAIo/B,EAAE12D,KAAK,KAAM+D,EAAE+1D,GAAIA,EAAG/1D,EACpC,CACF,CACA,SAAS24E,GAAG34E,EAAG2yD,GACbA,EAAIA,EAAEnrD,cACN,MAAM6zB,EAAI/gC,OAAO6G,KAAKnB,GACtB,IAAkBiF,EAAdsuB,EAAI8H,EAAE5+B,OACV,KAAO82B,KAAM,GACX,GAAItuB,EAAIo2B,EAAE9H,GAAIo/B,IAAM1tD,EAAEuC,cACpB,OAAOvC,EACX,OAAO,IACT,CACA,MAAMszE,UAAmBr1E,WAAa,IAAMA,kBAAoBF,KAAO,IAAMA,YAAc9E,OAAS,IAAMA,OAAS+E,OAAW0yE,GAAM31E,IAAOvC,EAAEuC,IAAMA,IAAMu4E,GA2CtJ4L,GAAK,CAAEnkF,GAAO2yD,GAAM3yD,GAAK2yD,aAAa3yD,EAAjC,QAA2CokF,WAAa,KAAOV,EAAGU,aAavEC,GAAK13B,EAAE,mBAKP23B,GAAK,GAAI9pF,eAAgBwF,KAAQ,CAAC2yD,EAAGt3B,IAAMr7B,EAAE/D,KAAK02D,EAAGt3B,GAAhD,CAAoD/gC,OAAOC,WAAYgqF,GAAK53B,EAAE,UAAWwoB,GAAK,CAACn1E,EAAG2yD,KACxG,MAAMt3B,EAAI/gC,OAAOkqF,0BAA0BxkF,GAAIuzB,EAAI,CAAC,EACpDkiD,GAAEp6C,GAAG,CAACp2B,EAAG1I,KACP,IAAI6rE,GACiB,KAApBA,EAAIzV,EAAE1tD,EAAG1I,EAAGyD,MAAeuzB,EAAEh3B,GAAK6rE,GAAKnjE,EAAE,IACxC3K,OAAOo7B,iBAAiB11B,EAAGuzB,EAAE,EAwBqB6+C,GAAI,6BAA8B8B,GAAK,aAAcK,GAAK,CAChHkQ,MAAOvQ,GACPwQ,MAAOtS,GACPuS,YAAavS,GAAIA,GAAEp6D,cAAgBk8D,IA4BlC0Q,GAAKj4B,EAAE,iBAA8EnwD,GAAI,CAC1FgM,QAASuwE,EACT8L,cAAezU,GACfhe,SArKF,SAAYpyD,GACV,OAAa,OAANA,IAAevC,EAAEuC,IAAwB,OAAlBA,EAAEpB,cAAyBnB,EAAEuC,EAAEpB,cAAgB6rE,GAAEzqE,EAAEpB,YAAYwzD,WAAapyD,EAAEpB,YAAYwzD,SAASpyD,EACnI,EAoKE8kF,WAzJ0G9kF,IAC1G,IAAI2yD,EACJ,OAAO3yD,IAAyB,mBAAZ+kF,UAA0B/kF,aAAa+kF,UAAYta,GAAEzqE,EAAEihB,UAA2B,cAAd0xC,EAAIqqB,EAAEh9E,KACxF,WAAN2yD,GAAkB8X,GAAEzqE,EAAEyC,WAA8B,sBAAjBzC,EAAEyC,YAAoC,EAuJzEuiF,kBAnKF,SAAYhlF,GACV,IAAI2yD,EACJ,OAAwDA,SAA1CsyB,YAAc,KAAOA,YAAYC,OAAaD,YAAYC,OAAOllF,GAASA,GAAKA,EAAE8wD,QAAUsf,GAAGpwE,EAAE8wD,QAAS6B,CACzH,EAiKEwyB,SAAUxB,GACV72D,SAAU82D,GACVwB,UAlKgHplF,IAAY,IAANA,IAAkB,IAANA,EAmKlIktB,SAAUilD,GACV5vE,cAAe2yE,GACf9xC,YAAa3lC,EACb4nF,OAAQxB,GACRlwC,OAAQmwC,GACRwB,OAAQvB,GACRwB,SAAUhB,GACVvhD,WAAYynC,GACZ+a,SAtK2ExlF,GAAMmyE,GAAEnyE,IAAMyqE,GAAEzqE,EAAEylF,MAuK7FC,kBAAmBzB,GACnB0B,aAAcxB,GACdyB,WAAY5B,GACZ93E,QAASupE,GACTZ,MA9IF,SAASgR,IACP,MAAQC,SAAU9lF,GAAM21E,GAAG56E,OAASA,MAAQ,CAAC,EAAG43D,EAAI,CAAC,EAAGt3B,EAAI,CAAC9H,EAAGtuB,KAC9D,MAAM1I,EAAIyD,GAAK24E,GAAGhmB,EAAG1tD,IAAMA,EAC3BiwE,GAAEviB,EAAEp2D,KAAO24E,GAAE3hD,GAAKo/B,EAAEp2D,GAAKspF,EAAGlzB,EAAEp2D,GAAIg3B,GAAK2hD,GAAE3hD,GAAKo/B,EAAEp2D,GAAKspF,EAAG,CAAC,EAAGtyD,GAAKwlD,EAAExlD,GAAKo/B,EAAEp2D,GAAKg3B,EAAEr3B,QAAUy2D,EAAEp2D,GAAKg3B,CAAC,EAErG,IAAK,IAAIA,EAAI,EAAGtuB,EAAI5H,UAAUZ,OAAQ82B,EAAItuB,EAAGsuB,IAC3Cl2B,UAAUk2B,IAAMkiD,GAAEp4E,UAAUk2B,GAAI8H,GAClC,OAAOs3B,CACT,EAuIEn3C,OAtIS,CAACxb,EAAG2yD,EAAGt3B,GAAK6oD,WAAY3wD,GAAM,CAAC,KAAOkiD,GAAE9iB,GAAG,CAAC1tD,EAAG1I,KACxD8+B,GAAKovC,GAAExlE,GAAKjF,EAAEzD,GAAK47E,EAAGlzE,EAAGo2B,GAAKr7B,EAAEzD,GAAK0I,CAAC,GACrC,CAAEi/E,WAAY3wD,IAAMvzB,GAqIrBmZ,KAzKkCnZ,GAAMA,EAAEmZ,KAAOnZ,EAAEmZ,OAASnZ,EAAE8G,QAAQ,qCAAsC,IA0K5GgxD,SAtI+B93D,IAA2B,QAApBA,EAAE+X,WAAW,KAAiB/X,EAAIA,EAAE9D,MAAM,IAAK8D,GAuIrF+lF,SAvI8F,CAAC/lF,EAAG2yD,EAAGt3B,EAAG9H,KACxGvzB,EAAEzF,UAAYD,OAAOqB,OAAOg3D,EAAEp4D,UAAWg5B,GAAIvzB,EAAEzF,UAAUqE,YAAcoB,EAAG1F,OAAOua,eAAe7U,EAAG,QAAS,CAC1GI,MAAOuyD,EAAEp4D,YACP8gC,GAAK/gC,OAAOmF,OAAOO,EAAEzF,UAAW8gC,EAAE,EAqItC2qD,aApIM,CAAChmF,EAAG2yD,EAAGt3B,EAAG9H,KAChB,IAAItuB,EAAG1I,EAAG6rE,EACV,MAAMrS,EAAI,CAAC,EACX,GAAIpD,EAAIA,GAAK,CAAC,EAAQ,MAAL3yD,EACf,OAAO2yD,EACT,EAAG,CACD,IAAK1tD,EAAI3K,OAAO4hE,oBAAoBl8D,GAAIzD,EAAI0I,EAAExI,OAAQF,KAAM,GAC1D6rE,EAAInjE,EAAE1I,KAAMg3B,GAAKA,EAAE60C,EAAGpoE,EAAG2yD,MAAQoD,EAAEqS,KAAOzV,EAAEyV,GAAKpoE,EAAEooE,GAAIrS,EAAEqS,IAAK,GAChEpoE,GAAU,IAANq7B,GAAYqoD,EAAG1jF,EACrB,OAASA,KAAOq7B,GAAKA,EAAEr7B,EAAG2yD,KAAO3yD,IAAM1F,OAAOC,WAC9C,OAAOo4D,CAAC,EA2HRszB,OAAQjJ,EACRkJ,WAAYv5B,EACZywB,SA5HM,CAACp9E,EAAG2yD,EAAGt3B,KACbr7B,EAAI+F,OAAO/F,SAAW,IAANq7B,GAAgBA,EAAIr7B,EAAEvD,UAAY4+B,EAAIr7B,EAAEvD,QAAS4+B,GAAKs3B,EAAEl2D,OACxE,MAAM82B,EAAIvzB,EAAEiR,QAAQ0hD,EAAGt3B,GACvB,OAAc,IAAP9H,GAAYA,IAAM8H,CAAC,EA0H1B8qD,QAzHOnmF,IACP,IAAKA,EACH,OAAO,KACT,GAAI+4E,EAAE/4E,GACJ,OAAOA,EACT,IAAI2yD,EAAI3yD,EAAEvD,OACV,IAAKmnF,GAAGjxB,GACN,OAAO,KACT,MAAMt3B,EAAI,IAAI1+B,MAAMg2D,GACpB,KAAOA,KAAM,GACXt3B,EAAEs3B,GAAK3yD,EAAE2yD,GACX,OAAOt3B,CAAC,EA+GR+qD,aA9G2F,CAACpmF,EAAG2yD,KAC/F,MAAMp/B,GAAKvzB,GAAKA,EAAEsC,OAAOgwB,WAAWr2B,KAAK+D,GACzC,IAAIiF,EACJ,MAAQA,EAAIsuB,EAAEnQ,UAAYne,EAAEohF,MAAQ,CAClC,MAAM9pF,EAAI0I,EAAE7E,MACZuyD,EAAE12D,KAAK+D,EAAGzD,EAAE,GAAIA,EAAE,GACpB,GAyGA+pF,SAxGM,CAACtmF,EAAG2yD,KACV,IAAIt3B,EACJ,MAAM9H,EAAI,GACV,KAA2B,QAAnB8H,EAAIr7B,EAAEuY,KAAKo6C,KACjBp/B,EAAEh4B,KAAK8/B,GACT,OAAO9H,CAAC,EAoGRgzD,WAAYlC,GACZ7pF,eAAgB8pF,GAChBkC,WAAYlC,GAEZmC,kBAAmBtR,GACnBuR,cA7FO1mF,IACPm1E,GAAGn1E,GAAG,CAAC2yD,EAAGt3B,KACR,GAAIovC,GAAEzqE,KAAwD,IAAlD,CAAC,YAAa,SAAU,UAAUiR,QAAQoqB,GACpD,OAAO,EACT,MAAM9H,EAAIvzB,EAAEq7B,GACZ,GAAIovC,GAAEl3C,GAAI,CACR,GAAIo/B,EAAE19C,YAAa,EAAI,aAAc09C,EAEnC,YADAA,EAAE59C,UAAW,GAGf49C,EAAE7kD,MAAQ6kD,EAAE7kD,IAAM,KAChB,MAAMjH,MAAM,qCAAuCw0B,EAAI,IAAI,EAE/D,IACA,EAgFFsrD,YA/EM,CAAC3mF,EAAG2yD,KACV,MAAMt3B,EAAI,CAAC,EAAG9H,EAAKtuB,IACjBA,EAAEiH,SAAS3P,IACT8+B,EAAE9+B,IAAK,CAAE,GACT,EAEJ,OAAOw8E,EAAE/4E,GAAKuzB,EAAEvzB,GAAKuzB,EAAExtB,OAAO/F,GAAGyW,MAAMk8C,IAAKt3B,CAAC,EA0E7CurD,YA1GkC5mF,GAAMA,EAAEwH,cAAcV,QACxD,yBACA,SAASu0B,EAAG9H,EAAGtuB,GACb,OAAOsuB,EAAEvb,cAAgB/S,CAC3B,IAuGAyL,KA1EM,OA2ENm2E,eA1EM,CAAC7mF,EAAG2yD,KAAO3yD,GAAKA,EAAG6Y,OAAOm7C,SAASh0D,GAAKA,EAAI2yD,GA2ElDm0B,QAASnO,GACT11E,OAAQs1E,GACRwO,iBAAkBpR,GAClBqR,SAAUzS,GACV0S,eA3EM,CAACjnF,EAAI,GAAI2yD,EAAI4hB,GAAGoQ,eACtB,IAAItpD,EAAI,GACR,MAAQ5+B,OAAQ82B,GAAMo/B,EACtB,KAAO3yD,KACLq7B,GAAKs3B,EAAErhC,KAAK0vB,SAAWztB,EAAI,GAC7B,OAAO8H,CAAC,EAuER6rD,oBArEF,SAAYlnF,GACV,SAAUA,GAAKyqE,GAAEzqE,EAAEihB,SAAqC,aAA1BjhB,EAAEsC,OAAO+sB,cAA+BrvB,EAAEsC,OAAOgwB,UACjF,EAoEE60D,aAnEUnnF,IACV,MAAM2yD,EAAI,IAAIh2D,MAAM,IAAK0+B,EAAI,CAAC9H,EAAGtuB,KAC/B,GAAIktE,GAAE5+C,GAAI,CACR,GAAIo/B,EAAE1hD,QAAQsiB,IAAM,EAClB,OACF,KAAM,WAAYA,GAAI,CACpBo/B,EAAE1tD,GAAKsuB,EACP,MAAMh3B,EAAIw8E,EAAExlD,GAAK,GAAK,CAAC,EACvB,OAAOkiD,GAAEliD,GAAG,CAAC60C,EAAGrS,KACd,MAAM9yC,EAAIoY,EAAE+sC,EAAGnjE,EAAI,IAClBxH,EAAEwlB,KAAO1mB,EAAEw5D,GAAK9yC,EAAE,IACjB0vC,EAAE1tD,QAAK,EAAQ1I,CACrB,CACF,CACA,OAAOg3B,CAAC,EAEV,OAAO8H,EAAEr7B,EAAG,EAAE,EAoDdonF,UAAWxC,GACXyC,WApDgCrnF,GAAMA,IAAMmyE,GAAEnyE,IAAMyqE,GAAEzqE,KAAOyqE,GAAEzqE,EAAEuT,OAASk3D,GAAEzqE,EAAE6T,QAsDhF,SAASqB,GAAElV,EAAG2yD,EAAGt3B,EAAG9H,EAAGtuB,GACrB4B,MAAM5K,KAAKlB,MAAO8L,MAAMygF,kBAAoBzgF,MAAMygF,kBAAkBvsF,KAAMA,KAAK6D,aAAe7D,KAAKqmB,OAAQ,IAAIva,OAAQua,MAAOrmB,KAAKkM,QAAUjH,EAAGjF,KAAKgB,KAAO,aAAc42D,IAAM53D,KAAK4vD,KAAOgI,GAAIt3B,IAAMtgC,KAAK4lB,OAAS0a,GAAI9H,IAAMx4B,KAAKwsF,QAAUh0D,GAAItuB,IAAMlK,KAAK8I,SAAWoB,EACzQ,CACAzI,GAAEupF,SAAS7wE,GAAGrO,MAAO,CACnBnE,OAAQ,WACN,MAAO,CAELuE,QAASlM,KAAKkM,QACdlL,KAAMhB,KAAKgB,KAEXikF,YAAajlF,KAAKilF,YAClBwH,OAAQzsF,KAAKysF,OAEbC,SAAU1sF,KAAK0sF,SACfC,WAAY3sF,KAAK2sF,WACjBC,aAAc5sF,KAAK4sF,aACnBvmE,MAAOrmB,KAAKqmB,MAEZT,OAAQnkB,GAAE2qF,aAAapsF,KAAK4lB,QAC5BgqC,KAAM5vD,KAAK4vD,KACXxmD,OAAQpJ,KAAK8I,UAAY9I,KAAK8I,SAASM,OAASpJ,KAAK8I,SAASM,OAAS,KAE3E,IAEF,MAAMq1E,GAAKtkE,GAAE3a,UAAWqtF,GAAK,CAAC,EA2B9B,SAASpM,GAAGx7E,GACV,OAAOxD,GAAE+F,cAAcvC,IAAMxD,GAAEgM,QAAQxI,EACzC,CACA,SAASw4E,GAAGx4E,GACV,OAAOxD,GAAE4gF,SAASp9E,EAAG,MAAQA,EAAE9D,MAAM,GAAI,GAAK8D,CAChD,CACA,SAAS6nF,GAAG7nF,EAAG2yD,EAAGt3B,GAChB,OAAOr7B,EAAIA,EAAE5D,OAAOu2D,GAAG3lD,KAAI,SAAS/H,EAAG1I,GACrC,OAAO0I,EAAIuzE,GAAGvzE,IAAKo2B,GAAK9+B,EAAI,IAAM0I,EAAI,IAAMA,CAC9C,IAAG0R,KAAK0kB,EAAI,IAAM,IAAMs3B,CAC1B,CApCA,CACE,uBACA,iBACA,eACA,YACA,cACA,4BACA,iBACA,mBACA,kBACA,eACA,kBACA,mBAEAzmD,SAASlM,IACT4nF,GAAG5nF,GAAK,CAAEI,MAAOJ,EAAG,IAEtB1F,OAAOo7B,iBAAiBxgB,GAAG0yE,IAC3BttF,OAAOua,eAAe2kE,GAAI,eAAgB,CAAEp5E,OAAO,IACnD8U,GAAErI,KAAO,CAAC7M,EAAG2yD,EAAGt3B,EAAG9H,EAAGtuB,EAAG1I,KACvB,MAAM6rE,EAAI9tE,OAAOqB,OAAO69E,IACxB,OAAOh9E,GAAEwpF,aAAahmF,EAAGooE,GAAG,SAASnlD,GACnC,OAAOA,IAAMpc,MAAMtM,SACrB,IAAIw7D,GAAY,iBAANA,IAAuB7gD,GAAEjZ,KAAKmsE,EAAGpoE,EAAEiH,QAAS0rD,EAAGt3B,EAAG9H,EAAGtuB,GAAImjE,EAAE0f,MAAQ9nF,EAAGooE,EAAErsE,KAAOiE,EAAEjE,KAAMQ,GAAKjC,OAAOmF,OAAO2oE,EAAG7rE,GAAI6rE,CAAC,EAiB9H,MAAM2f,GAAKvrF,GAAEwpF,aAAaxpF,GAAG,CAAC,EAAG,MAAM,SAASm2D,GAC9C,MAAO,WAAW7tD,KAAK6tD,EACzB,IACA,SAAS6e,GAAExxE,EAAG2yD,EAAGt3B,GACf,IAAK7+B,GAAE0wB,SAASltB,GACd,MAAM,IAAI7E,UAAU,4BACtBw3D,EAAIA,GAAK,IAAIoyB,SAOb,MAAMxxD,GAPmB8H,EAAI7+B,GAAEwpF,aAAa3qD,EAAG,CAC7C2sD,YAAY,EACZC,MAAM,EACNC,SAAS,IACR,GAAI,SAASvsE,EAAG65D,GACjB,OAAQh5E,GAAE4mC,YAAYoyC,EAAE75D,GAC1B,KACYqsE,WAAY/iF,EAAIo2B,EAAE8sD,SAAW3lF,EAAGjG,EAAI8+B,EAAE4sD,KAAM7f,EAAI/sC,EAAE6sD,QAASjlE,GAAKoY,EAAEv1B,aAAeA,KAAO,KAAOA,OAAStJ,GAAE0qF,oBAAoBv0B,GAC1I,IAAKn2D,GAAEwmC,WAAW/9B,GAChB,MAAM,IAAI9J,UAAU,8BACtB,SAASgD,EAAE+tE,GACT,GAAU,OAANA,EACF,MAAO,GACT,GAAI1vE,GAAE6oF,OAAOnZ,GACX,OAAOA,EAAEkc,cACX,IAAKnlE,GAAKzmB,GAAE8oF,OAAOpZ,GACjB,MAAM,IAAIh3D,GAAE,gDACd,OAAO1Y,GAAEqoF,cAAc3Y,IAAM1vE,GAAEmpF,aAAazZ,GAAKjpD,GAAoB,mBAARnd,KAAqB,IAAIA,KAAK,CAAComE,IAAM/Z,EAAOtlD,KAAKq/D,GAAKA,CACrH,CACA,SAAS1pE,EAAE0pE,EAAGvwD,EAAG65D,GACf,IAAI9E,EAAIxE,EACR,GAAIA,IAAMsJ,GAAiB,iBAALtJ,EACpB,GAAI1vE,GAAE4gF,SAASzhE,EAAG,MAChBA,EAAI4X,EAAI5X,EAAIA,EAAEzf,MAAM,GAAI,GAAIgwE,EAAIpsE,KAAKQ,UAAU4rE,QAC5C,GAAI1vE,GAAEgM,QAAQ0jE,IAjCzB,SAAYlsE,GACV,OAAOxD,GAAEgM,QAAQxI,KAAOA,EAAEqkC,KAAKm3C,GACjC,CA+B+B6M,CAAGnc,KAAO1vE,GAAEopF,WAAW1Z,IAAM1vE,GAAE4gF,SAASzhE,EAAG,SAAW+0D,EAAIl0E,GAAE2pF,QAAQja,IAC3F,OAAOvwD,EAAI68D,GAAG78D,GAAI+0D,EAAExkE,SAAQ,SAASykE,EAAG+D,IACpCl4E,GAAE4mC,YAAYutC,IAAY,OAANA,GAAehe,EAAE1xC,QAE/B,IAANmnD,EAAWyf,GAAG,CAAClsE,GAAI+4D,EAAGn4E,GAAW,OAAN6rE,EAAazsD,EAAIA,EAAI,KAChDxd,EAAEwyE,GAEN,KAAI,EAER,QAAO6K,GAAGtP,KAAWvZ,EAAE1xC,OAAO4mE,GAAGrS,EAAG75D,EAAGpf,GAAI4B,EAAE+tE,KAAK,EACpD,CACA,MAAM4I,EAAI,GAAI91D,EAAI1kB,OAAOmF,OAAOsoF,GAAI,CAClCO,eAAgB9lF,EAChB+lF,aAAcpqF,EACdqqF,YAAahN,KAiBf,IAAKh/E,GAAE0wB,SAASltB,GACd,MAAM,IAAI7E,UAAU,0BACtB,OAjBA,SAAS69E,EAAE9M,EAAGvwD,GACZ,IAAKnf,GAAE4mC,YAAY8oC,GAAI,CACrB,IAAsB,IAAlB4I,EAAE7jE,QAAQi7D,GACZ,MAAMrlE,MAAM,kCAAoC8U,EAAEhF,KAAK,MACzDm+D,EAAEv5E,KAAK2wE,GAAI1vE,GAAE0P,QAAQggE,GAAG,SAASwE,EAAGoB,IAO3B,OANJt1E,GAAE4mC,YAAYstC,IAAY,OAANA,IAAezrE,EAAEhJ,KACtC02D,EACA+d,EACAl0E,GAAE2oF,SAASrT,GAAKA,EAAE34D,OAAS24D,EAC3Bn2D,EACAqD,KACWg6D,EAAEtI,EAAG/0D,EAAIA,EAAEvf,OAAO01E,GAAK,CAACA,GACvC,IAAIgD,EAAEzzD,KACR,CACF,CAGO23D,CAAEh5E,GAAI2yD,CACf,CACA,SAASijB,GAAG51E,GACV,MAAM2yD,EAAI,CACR,IAAK,MACL,IAAK,MACL,IAAK,MACL,IAAK,MACL,IAAK,MACL,MAAO,IACP,MAAO,MAET,OAAO96C,mBAAmB7X,GAAG8G,QAAQ,oBAAoB,SAASysB,GAChE,OAAOo/B,EAAEp/B,EACX,GACF,CACA,SAASk1D,GAAGzoF,EAAG2yD,GACb53D,KAAK2tF,OAAS,GAAI1oF,GAAKwxE,GAAExxE,EAAGjF,KAAM43D,EACpC,CACA,MAAMyjB,GAAKqS,GAAGluF,UAYd,SAASo/E,GAAG35E,GACV,OAAO6X,mBAAmB7X,GAAG8G,QAAQ,QAAS,KAAKA,QAAQ,OAAQ,KAAKA,QAAQ,QAAS,KAAKA,QAAQ,OAAQ,KAAKA,QAAQ,QAAS,KAAKA,QAAQ,QAAS,IAC5J,CACA,SAAS6hF,GAAG3oF,EAAG2yD,EAAGt3B,GAChB,IAAKs3B,EACH,OAAO3yD,EACT,MAAMuzB,EAAI8H,GAAKA,EAAEljB,QAAUwhE,GAAI10E,EAAIo2B,GAAKA,EAAEutD,UAC1C,IAAIrsF,EACJ,GAAQA,EAAJ0I,EAAQA,EAAE0tD,EAAGt3B,GAAS7+B,GAAEkpF,kBAAkB/yB,GAAKA,EAAElwD,WAAa,IAAIgmF,GAAG91B,EAAGt3B,GAAG54B,SAAS8wB,GAAIh3B,EAAG,CAC7F,MAAM6rE,EAAIpoE,EAAEiR,QAAQ,MACb,IAAPm3D,IAAapoE,EAAIA,EAAE9D,MAAM,EAAGksE,IAAKpoE,KAA0B,IAApBA,EAAEiR,QAAQ,KAAc,IAAM,KAAO1U,CAC9E,CACA,OAAOyD,CACT,CAxBAo2E,GAAGn1D,OAAS,SAAS0xC,EAAGt3B,GACtBtgC,KAAK2tF,OAAOntF,KAAK,CAACo3D,EAAGt3B,GACvB,EACA+6C,GAAG3zE,SAAW,SAASkwD,GACrB,MAAMt3B,EAAIs3B,EAAI,SAASp/B,GACrB,OAAOo/B,EAAE12D,KAAKlB,KAAMw4B,EAAGqiD,GACzB,EAAIA,GACJ,OAAO76E,KAAK2tF,OAAO17E,KAAI,SAAS/H,GAC9B,OAAOo2B,EAAEp2B,EAAE,IAAM,IAAMo2B,EAAEp2B,EAAE,GAC7B,GAAG,IAAI0R,KAAK,IACd,EAqEA,MAAM0/D,GAtDN,MACE,WAAAz3E,GACE7D,KAAKuB,SAAW,EAClB,CASA,GAAA46B,CAAIy7B,EAAGt3B,EAAG9H,GACR,OAAOx4B,KAAKuB,SAASf,KAAK,CACxBstF,UAAWl2B,EACXgtB,SAAUtkD,EACVytD,cAAav1D,GAAIA,EAAEu1D,YACnBC,QAASx1D,EAAIA,EAAEw1D,QAAU,OACvBhuF,KAAKuB,SAASG,OAAS,CAC7B,CAQA,KAAAusF,CAAMr2B,GACJ53D,KAAKuB,SAASq2D,KAAO53D,KAAKuB,SAASq2D,GAAK,KAC1C,CAMA,KAAAh5B,GACE5+B,KAAKuB,WAAavB,KAAKuB,SAAW,GACpC,CAWA,OAAA4P,CAAQymD,GACNn2D,GAAE0P,QAAQnR,KAAKuB,UAAU,SAASi3B,GAC1B,OAANA,GAAco/B,EAAEp/B,EAClB,GACF,GAEa+kD,GAAK,CAClB2Q,mBAAmB,EACnBC,mBAAmB,EACnBC,qBAAqB,GAC0H7P,GAAK,CACpJ8P,WAAW,EACXjjE,QAAS,CACPkjE,uBAHWA,gBAAkB,IAAMA,gBAAkBZ,GAIrD1D,gBAJqEA,SAAW,IAAMA,SAAW,KAKjGj/E,YALmHA,KAAO,IAAMA,KAAO,MAOzIwjF,UAAW,CAAC,OAAQ,QAAS,OAAQ,OAAQ,MAAO,SACnDrT,UAAY/3E,OAAS,YAAcsG,SAAW,IAAKw2E,GAAK,CAAEh7E,GAAMi2E,IAAM,CAAC,cAAe,eAAgB,MAAMhlE,QAAQjR,GAAK,EAAjE,QAA2E/B,UAAY,KAAOA,UAAUsrF,SAAUzP,UAAmB0P,kBAAoB,KACpNxmF,gBAAgBwmF,mBAAkD,mBAAtBxmF,KAAKkyD,cAKHnJ,GAAI,IALoDzxD,OAAO+iB,OAAuB/iB,OAAOua,eAAe,CACxJjZ,UAAW,KACX6tF,cAAexT,GACfyT,sBAAuB1O,GACvB2O,+BAAgC7P,IAC/Bx3E,OAAO+sB,YAAa,CAAEjvB,MAAO,eAE3Bk5E,IAqBL,SAASb,GAAGz4E,GACV,SAAS2yD,EAAEt3B,EAAG9H,EAAGtuB,EAAG1I,GAClB,IAAI6rE,EAAI/sC,EAAE9+B,KACV,MAAMw5D,EAAIl9C,OAAOm7C,UAAUoU,GAAInlD,EAAI1mB,GAAK8+B,EAAE5+B,OAC1C,OAAO2rE,GAAKA,GAAK5rE,GAAEgM,QAAQvD,GAAKA,EAAExI,OAAS2rE,EAAGnlD,GAAKzmB,GAAEgqF,WAAWvhF,EAAGmjE,GAAKnjE,EAAEmjE,GAAK,CAACnjE,EAAEmjE,GAAI70C,GAAKtuB,EAAEmjE,GAAK70C,GAAIwiC,MAAQ9wD,EAAEmjE,KAAO5rE,GAAE0wB,SAASjoB,EAAEmjE,OAASnjE,EAAEmjE,GAAK,IAAKzV,EAAEt3B,EAAG9H,EAAGtuB,EAAEmjE,GAAI7rE,IAAMC,GAAEgM,QAAQvD,EAAEmjE,MAAQnjE,EAAEmjE,GAbvM,SAAYpoE,GACV,MAAM2yD,EAAI,CAAC,EAAGt3B,EAAI/gC,OAAO6G,KAAKnB,GAC9B,IAAIuzB,EACJ,MAAMtuB,EAAIo2B,EAAE5+B,OACZ,IAAIF,EACJ,IAAKg3B,EAAI,EAAGA,EAAItuB,EAAGsuB,IACjBh3B,EAAI8+B,EAAE9H,GAAIo/B,EAAEp2D,GAAKyD,EAAEzD,GACrB,OAAOo2D,CACT,CAK4MwoB,CAAGl2E,EAAEmjE,MAAOrS,EACtN,CACA,GAAIv5D,GAAEsoF,WAAW9kF,IAAMxD,GAAEwmC,WAAWhjC,EAAEwY,SAAU,CAC9C,MAAM6iB,EAAI,CAAC,EACX,OAAO7+B,GAAE4pF,aAAapmF,GAAG,CAACuzB,EAAGtuB,KAC3B0tD,EArBN,SAAY3yD,GACV,OAAOxD,GAAE8pF,SAAS,gBAAiBtmF,GAAGgN,KAAK2lD,GAAe,OAATA,EAAE,GAAc,GAAKA,EAAE,IAAMA,EAAE,IAClF,CAmBQonB,CAAGxmD,GAAItuB,EAAGo2B,EAAG,EAAE,IACfA,CACN,CACA,OAAO,IACT,CAWA,MAAMuuD,GAAK,CACTC,aAAcvR,GACdwR,QAAS,CAAC,MAAO,QACjBC,iBAAkB,CAAC,SAASp3B,EAAGt3B,GAC7B,MAAM9H,EAAI8H,EAAE2uD,kBAAoB,GAAI/kF,EAAIsuB,EAAEtiB,QAAQ,qBAAuB,EAAG1U,EAAIC,GAAE0wB,SAASylC,GAC3F,GAAIp2D,GAAKC,GAAE+pF,WAAW5zB,KAAOA,EAAI,IAAIoyB,SAASpyB,IAAKn2D,GAAEsoF,WAAWnyB,GAC9D,OAAO1tD,GAAKA,EAAInF,KAAKQ,UAAUm4E,GAAG9lB,IAAMA,EAC1C,GAAIn2D,GAAEqoF,cAAclyB,IAAMn2D,GAAE41D,SAASO,IAAMn2D,GAAEgpF,SAAS7yB,IAAMn2D,GAAEm3C,OAAOgf,IAAMn2D,GAAE8oF,OAAO3yB,GAClF,OAAOA,EACT,GAAIn2D,GAAEwoF,kBAAkBryB,GACtB,OAAOA,EAAE7B,OACX,GAAIt0D,GAAEkpF,kBAAkB/yB,GACtB,OAAOt3B,EAAE4uD,eAAe,mDAAmD,GAAKt3B,EAAElwD,WACpF,IAAIszD,EACJ,GAAIx5D,EAAG,CACL,GAAIg3B,EAAEtiB,QAAQ,sCAAwC,EACpD,OA3DR,SAAYjR,EAAG2yD,GACb,OAAO6e,GAAExxE,EAAG,IAAI+rD,GAAE5lC,QAAQkjE,gBAAmB/uF,OAAOmF,OAAO,CACzD0oF,QAAS,SAAS9sD,EAAG9H,EAAGtuB,EAAG1I,GACzB,OAAOwvD,GAAEm+B,QAAU1tF,GAAE41D,SAAS/2B,IAAMtgC,KAAKkmB,OAAOsS,EAAG8H,EAAE54B,SAAS,YAAY,GAAMlG,EAAE+rF,eAAe9qF,MAAMzC,KAAMsC,UAC/G,GACCs1D,GACL,CAqDe6D,CAAG7D,EAAG53D,KAAKovF,gBAAgB1nF,WACpC,IAAKszD,EAAIv5D,GAAEopF,WAAWjzB,KAAOp/B,EAAEtiB,QAAQ,wBAA0B,EAAG,CAClE,MAAMgS,EAAIloB,KAAKqvF,KAAOrvF,KAAKqvF,IAAIrF,SAC/B,OAAOvT,GACLzb,EAAI,CAAE,UAAWpD,GAAMA,EACvB1vC,GAAK,IAAIA,EACTloB,KAAKovF,eAET,CACF,CACA,OAAO5tF,GAAK0I,GAAKo2B,EAAE4uD,eAAe,oBAAoB,GApC1D,SAAYjqF,EAAG2yD,EAAGt3B,GAChB,GAAI7+B,GAAE2oF,SAASnlF,GACb,IACE,OAAO,EAAMF,KAAKC,OAAOC,GAAIxD,GAAE2c,KAAKnZ,EACtC,CAAE,MAAOuzB,GACP,GAAe,gBAAXA,EAAEx3B,KACJ,MAAMw3B,CACV,CACF,OAAO,EAAMzzB,KAAKQ,WAAWN,EAC/B,CA2B+Ds7E,CAAG3oB,IAAMA,CACtE,GACA03B,kBAAmB,CAAC,SAAS13B,GAC3B,MAAMt3B,EAAItgC,KAAK8uF,cAAgBD,GAAGC,aAAct2D,EAAI8H,GAAKA,EAAE6tD,kBAAmBjkF,EAA0B,SAAtBlK,KAAK2I,aACvF,GAAIivD,GAAKn2D,GAAE2oF,SAASxyB,KAAOp/B,IAAMx4B,KAAK2I,cAAgBuB,GAAI,CACxD,MAAMmjE,IAAM/sC,GAAKA,EAAE4tD,oBAAsBhkF,EACzC,IACE,OAAOnF,KAAKC,MAAM4yD,EACpB,CAAE,MAAOoD,GACP,GAAIqS,EACF,KAAiB,gBAAXrS,EAAEh6D,KAAyBmZ,GAAErI,KAAKkpD,EAAG7gD,GAAEo1E,iBAAkBvvF,KAAM,KAAMA,KAAK8I,UAAYkyD,CAChG,CACF,CACA,OAAOpD,CACT,GAKA2E,QAAS,EACTizB,eAAgB,aAChBC,eAAgB,eAChBC,kBAAmB,EACnBC,eAAgB,EAChBN,IAAK,CACHrF,SAAUh5B,GAAE5lC,QAAQ4+D,SACpBj/E,KAAMimD,GAAE5lC,QAAQrgB,MAElB6kF,eAAgB,SAASh4B,GACvB,OAAOA,GAAK,KAAOA,EAAI,GACzB,EACAnc,QAAS,CACPo0C,OAAQ,CACNC,OAAQ,oCACR,oBAAgB,KAItBruF,GAAE0P,QAAQ,CAAC,SAAU,MAAO,OAAQ,OAAQ,MAAO,UAAWlM,IAC5D4pF,GAAGpzC,QAAQx2C,GAAK,CAAC,CAAC,IAEpB,MAAM8qF,GAAKlB,GAAI3O,GAAKz+E,GAAEmqF,YAAY,CAChC,MACA,gBACA,iBACA,eACA,OACA,UACA,OACA,OACA,oBACA,sBACA,gBACA,WACA,eACA,sBACA,UACA,cACA,eAQCoE,GAAKzoF,OAAO,aACf,SAASgvE,GAAEtxE,GACT,OAAOA,GAAK+F,OAAO/F,GAAGmZ,OAAO3R,aAC/B,CACA,SAASquE,GAAE71E,GACT,OAAa,IAANA,GAAiB,MAALA,EAAYA,EAAIxD,GAAEgM,QAAQxI,GAAKA,EAAEgN,IAAI6oE,IAAK9vE,OAAO/F,EACtE,CASA,SAAStD,GAAGsD,EAAG2yD,EAAGt3B,EAAG9H,EAAGtuB,GACtB,GAAIzI,GAAEwmC,WAAWzP,GACf,OAAOA,EAAEt3B,KAAKlB,KAAM43D,EAAGt3B,GACzB,GAAIp2B,IAAM0tD,EAAIt3B,GAAM7+B,GAAE2oF,SAASxyB,GAAI,CACjC,GAAIn2D,GAAE2oF,SAAS5xD,GACb,OAAyB,IAAlBo/B,EAAE1hD,QAAQsiB,GACnB,GAAI/2B,GAAE+oF,SAAShyD,GACb,OAAOA,EAAEzuB,KAAK6tD,EAClB,CACF,CAeA,IAAI6f,GAAI,MACN,WAAA5zE,CAAY+zD,GACVA,GAAK53D,KAAK+S,IAAI6kD,EAChB,CACA,GAAA7kD,CAAI6kD,EAAGt3B,EAAG9H,GACR,MAAMtuB,EAAIlK,KACV,SAASwB,EAAEw5D,EAAG9yC,EAAG9kB,GACf,MAAMqE,EAAI8uE,GAAEruD,GACZ,IAAKzgB,EACH,MAAM,IAAIqE,MAAM,0CAClB,MAAMiuE,EAAIt4E,GAAEsqF,QAAQ7hF,EAAGzC,KACrBsyE,QAAc,IAAT7vE,EAAE6vE,KAAuB,IAAN32E,QAAkB,IAANA,IAAyB,IAAT8G,EAAE6vE,MAAe7vE,EAAE6vE,GAAK7xD,GAAK4yD,GAAE9f,GACvF,CACA,MAAMqS,EAAI,CAACrS,EAAG9yC,IAAMzmB,GAAE0P,QAAQ6pD,GAAG,CAAC53D,EAAGqE,IAAMjG,EAAE4B,EAAGqE,EAAGygB,KACnD,OAAOzmB,GAAE+F,cAAcowD,IAAMA,aAAa53D,KAAK6D,YAAcwpE,EAAEzV,EAAGt3B,GAAK7+B,GAAE2oF,SAASxyB,KAAOA,EAAIA,EAAEx5C,UAvCxF,CAACnZ,GAAM,iCAAiC8E,KAAK9E,EAAEmZ,QAuCqDwjE,CAAGhqB,GAAKyV,EA5D9G,CAACpoE,IACR,MAAM2yD,EAAI,CAAC,EACX,IAAIt3B,EAAG9H,EAAGtuB,EACV,OAAOjF,GAAKA,EAAEyW,MAAM,MACnBvK,SAAQ,SAASk8D,GAChBnjE,EAAImjE,EAAEn3D,QAAQ,KAAMoqB,EAAI+sC,EAAElb,UAAU,EAAGjoD,GAAGkU,OAAO3R,cAAe+rB,EAAI60C,EAAElb,UAAUjoD,EAAI,GAAGkU,UAAWkiB,GAAKs3B,EAAEt3B,IAAM4/C,GAAG5/C,MAAc,eAANA,EAAqBs3B,EAAEt3B,GAAKs3B,EAAEt3B,GAAG9/B,KAAKg4B,GAAKo/B,EAAEt3B,GAAK,CAAC9H,GAAKo/B,EAAEt3B,GAAKs3B,EAAEt3B,GAAKs3B,EAAEt3B,GAAK,KAAO9H,EAAIA,EACpN,IAAIo/B,CAAC,EAsDkH0oB,CAAG1oB,GAAIt3B,GAAU,MAALs3B,GAAap2D,EAAE8+B,EAAGs3B,EAAGp/B,GAAIx4B,IAC5J,CACA,GAAA+F,CAAI6xD,EAAGt3B,GACL,GAAIs3B,EAAI2e,GAAE3e,GAAO,CACf,MAAMp/B,EAAI/2B,GAAEsqF,QAAQ/rF,KAAM43D,GAC1B,GAAIp/B,EAAG,CACL,MAAMtuB,EAAIlK,KAAKw4B,GACf,IAAK8H,EACH,OAAOp2B,EACT,IAAU,IAANo2B,EACF,OAxDV,SAAYr7B,GACV,MAAM2yD,EAAoBr4D,OAAOqB,OAAO,MAAO0/B,EAAI,mCACnD,IAAI9H,EACJ,KAAOA,EAAI8H,EAAE9iB,KAAKvY,IAChB2yD,EAAEp/B,EAAE,IAAMA,EAAE,GACd,OAAOo/B,CACT,CAkDiByoB,CAAGn2E,GACZ,GAAIzI,GAAEwmC,WAAW3H,GACf,OAAOA,EAAEp/B,KAAKlB,KAAMkK,EAAGsuB,GACzB,GAAI/2B,GAAE+oF,SAASlqD,GACb,OAAOA,EAAE9iB,KAAKtT,GAChB,MAAM,IAAI9J,UAAU,yCACtB,CACF,CACF,CACA,GAAAd,CAAIs4D,EAAGt3B,GACL,GAAIs3B,EAAI2e,GAAE3e,GAAO,CACf,MAAMp/B,EAAI/2B,GAAEsqF,QAAQ/rF,KAAM43D,GAC1B,SAAUp/B,QAAiB,IAAZx4B,KAAKw4B,IAAmB8H,IAAK3+B,GAAG3B,EAAMA,KAAKw4B,GAAIA,EAAG8H,GACnE,CACA,OAAO,CACT,CACA,OAAOs3B,EAAGt3B,GACR,MAAM9H,EAAIx4B,KACV,IAAIkK,GAAI,EACR,SAAS1I,EAAE6rE,GACT,GAAIA,EAAIkJ,GAAElJ,GAAO,CACf,MAAMrS,EAAIv5D,GAAEsqF,QAAQvzD,EAAG60C,GACvBrS,KAAO16B,GAAK3+B,GAAG62B,EAAGA,EAAEwiC,GAAIA,EAAG16B,aAAe9H,EAAEwiC,GAAI9wD,GAAI,EACtD,CACF,CACA,OAAOzI,GAAEgM,QAAQmqD,GAAKA,EAAEzmD,QAAQ3P,GAAKA,EAAEo2D,GAAI1tD,CAC7C,CACA,KAAA00B,CAAMg5B,GACJ,MAAMt3B,EAAI/gC,OAAO6G,KAAKpG,MACtB,IAAIw4B,EAAI8H,EAAE5+B,OAAQwI,GAAI,EACtB,KAAOsuB,KAAO,CACZ,MAAMh3B,EAAI8+B,EAAE9H,KACVo/B,GAAKj2D,GAAG3B,EAAMA,KAAKwB,GAAIA,EAAGo2D,GAAG,aAAgB53D,KAAKwB,GAAI0I,GAAI,EAC9D,CACA,OAAOA,CACT,CACA,SAAA8tD,CAAUJ,GACR,MAAMt3B,EAAItgC,KAAMw4B,EAAI,CAAC,EACrB,OAAO/2B,GAAE0P,QAAQnR,MAAM,CAACkK,EAAG1I,KACzB,MAAM6rE,EAAI5rE,GAAEsqF,QAAQvzD,EAAGh3B,GACvB,GAAI6rE,EAEF,OADA/sC,EAAE+sC,GAAKyN,GAAE5wE,eAAWo2B,EAAE9+B,GAGxB,MAAMw5D,EAAIpD,EAlFhB,SAAY3yD,GACV,OAAOA,EAAEmZ,OAAO3R,cAAcV,QAAQ,mBAAmB,CAAC6rD,EAAGt3B,EAAG9H,IAAM8H,EAAErjB,cAAgBub,GAC1F,CAgFoBy3D,CAAGzuF,GAAKwJ,OAAOxJ,GAAG4c,OAChC48C,IAAMx5D,UAAY8+B,EAAE9+B,GAAI8+B,EAAE06B,GAAK8f,GAAE5wE,GAAIsuB,EAAEwiC,IAAK,CAAE,IAC5Ch7D,IACN,CACA,MAAAqB,IAAUu2D,GACR,OAAO53D,KAAK6D,YAAYxC,OAAOrB,QAAS43D,EAC1C,CACA,MAAAjwD,CAAOiwD,GACL,MAAMt3B,EAAoB/gC,OAAOqB,OAAO,MACxC,OAAOa,GAAE0P,QAAQnR,MAAM,CAACw4B,EAAGtuB,KACpB,MAALsuB,IAAmB,IAANA,IAAa8H,EAAEp2B,GAAK0tD,GAAKn2D,GAAEgM,QAAQ+qB,GAAKA,EAAE5c,KAAK,MAAQ4c,EAAE,IACpE8H,CACN,CACA,CAAC/4B,OAAOgwB,YACN,OAAOh4B,OAAOke,QAAQzd,KAAK2H,UAAUJ,OAAOgwB,WAC9C,CACA,QAAA7vB,GACE,OAAOnI,OAAOke,QAAQzd,KAAK2H,UAAUsK,KAAI,EAAE2lD,EAAGt3B,KAAOs3B,EAAI,KAAOt3B,IAAG1kB,KAAK,KAE1E,CACA,IAAKrU,OAAO+sB,eACV,MAAO,cACT,CACA,WAAOxiB,CAAK8lD,GACV,OAAOA,aAAa53D,KAAO43D,EAAI,IAAI53D,KAAK43D,EAC1C,CACA,aAAOv2D,CAAOu2D,KAAMt3B,GAClB,MAAM9H,EAAI,IAAIx4B,KAAK43D,GACnB,OAAOt3B,EAAEnvB,SAASjH,GAAMsuB,EAAEzlB,IAAI7I,KAAKsuB,CACrC,CACA,eAAO03D,CAASt4B,GACd,MAAMp/B,GAAKx4B,KAAKgwF,IAAMhwF,KAAKgwF,IAAM,CAC/BG,UAAW,CAAC,IACXA,UAAWjmF,EAAIlK,KAAKR,UACvB,SAASgC,EAAE6rE,GACT,MAAMrS,EAAIub,GAAElJ,GACZ70C,EAAEwiC,KAnHR,SAAY/1D,EAAG2yD,GACb,MAAMt3B,EAAI7+B,GAAEoqF,YAAY,IAAMj0B,GAC9B,CAAC,MAAO,MAAO,OAAOzmD,SAASqnB,IAC7Bj5B,OAAOua,eAAe7U,EAAGuzB,EAAI8H,EAAG,CAC9Bj7B,MAAO,SAAS6E,EAAG1I,EAAG6rE,GACpB,OAAOrtE,KAAKw4B,GAAGt3B,KAAKlB,KAAM43D,EAAG1tD,EAAG1I,EAAG6rE,EACrC,EACApzD,cAAc,GACd,GAEN,CAyGe8nE,CAAG73E,EAAGmjE,GAAI70C,EAAEwiC,IAAK,EAC5B,CACA,OAAOv5D,GAAEgM,QAAQmqD,GAAKA,EAAEzmD,QAAQ3P,GAAKA,EAAEo2D,GAAI53D,IAC7C,GAEFy3E,GAAEyY,SAAS,CAAC,eAAgB,iBAAkB,SAAU,kBAAmB,aAAc,kBACzFzuF,GAAEiqF,kBAAkBjU,GAAEj4E,WAAW,EAAG6F,MAAOJ,GAAK2yD,KAC9C,IAAIt3B,EAAIs3B,EAAE,GAAG36C,cAAgB26C,EAAEz2D,MAAM,GACrC,MAAO,CACL4E,IAAK,IAAMd,EACX,GAAA8N,CAAIylB,GACFx4B,KAAKsgC,GAAK9H,CACZ,EACD,IAEH/2B,GAAEkqF,cAAclU,IAChB,MAAM3zD,GAAI2zD,GACV,SAASoK,GAAG58E,EAAG2yD,GACb,MAAMt3B,EAAItgC,MAAQ+vF,GAAIv3D,EAAIo/B,GAAKt3B,EAAGp2B,EAAI4Z,GAAEhS,KAAK0mB,EAAEijB,SAC/C,IAAIj6C,EAAIg3B,EAAE1zB,KACV,OAAOrD,GAAE0P,QAAQlM,GAAG,SAAS+1D,GAC3Bx5D,EAAIw5D,EAAE95D,KAAKo/B,EAAG9+B,EAAG0I,EAAE8tD,YAAaJ,EAAIA,EAAExuD,YAAS,EACjD,IAAIc,EAAE8tD,YAAax2D,CACrB,CACA,SAASm8E,GAAG14E,GACV,SAAUA,IAAKA,EAAEmrF,WACnB,CACA,SAASjZ,GAAElyE,EAAG2yD,EAAGt3B,GACfnmB,GAAEjZ,KAAKlB,KAAMiF,GAAK,WAAYkV,GAAEk2E,aAAcz4B,EAAGt3B,GAAItgC,KAAKgB,KAAO,eACnE,CACAS,GAAEupF,SAAS7T,GAAGh9D,GAAG,CACfi2E,YAAY,IAYd,MAAME,GAAKt/B,GAAE29B,sBAGF,CACL98B,MAAO,SAASvxB,EAAG9H,EAAGtuB,EAAG1I,EAAG6rE,EAAGrS,GAC7B,MAAM9yC,EAAI,GACVA,EAAE1nB,KAAK8/B,EAAI,IAAMxjB,mBAAmB0b,IAAK/2B,GAAEswB,SAAS7nB,IAAMge,EAAE1nB,KAAK,WAAa,IAAIoF,KAAKsE,GAAGqmF,eAAgB9uF,GAAE2oF,SAAS5oF,IAAM0mB,EAAE1nB,KAAK,QAAUgB,GAAIC,GAAE2oF,SAAS/c,IAAMnlD,EAAE1nB,KAAK,UAAY6sE,IAAU,IAANrS,GAAY9yC,EAAE1nB,KAAK,UAAWiJ,SAAS+mF,OAAStoE,EAAEtM,KAAK,KACjP,EACA60E,KAAM,SAASnwD,GACb,MAAM9H,EAAI/uB,SAAS+mF,OAAOt0E,MAAM,IAAIZ,OAAO,aAAeglB,EAAI,cAC9D,OAAO9H,EAAI7c,mBAAmB6c,EAAE,IAAM,IACxC,EACAo4C,OAAQ,SAAStwC,GACftgC,KAAK6xD,MAAMvxB,EAAG,GAAI16B,KAAKJ,MAAQ,MACjC,GAMK,CACLqsD,MAAO,WACP,EACA4+B,KAAM,WACJ,OAAO,IACT,EACA7f,OAAQ,WACR,GAUN,SAASkN,GAAG74E,EAAG2yD,GACb,OAAO3yD,IAPT,SAAYA,GACV,MAAO,8BAA8B8E,KAAK9E,EAC5C,CAKeyrF,CAAG94B,GAJlB,SAAY3yD,EAAG2yD,GACb,OAAOA,EAAI3yD,EAAE8G,QAAQ,OAAQ,IAAM,IAAM6rD,EAAE7rD,QAAQ,OAAQ,IAAM9G,CACnE,CAEuB67E,CAAG77E,EAAG2yD,GAAKA,CAClC,CACA,MAAM+pB,GAAK3wB,GAAE29B,sBAGX,WACE,MAAM/2B,EAAI,kBAAkB7tD,KAAK7G,UAAU2G,WAAYy2B,EAAI72B,SAASU,cAAc,KAClF,IAAIquB,EACJ,SAAStuB,EAAE1I,GACT,IAAI6rE,EAAI7rE,EACR,OAAOo2D,IAAMt3B,EAAE2b,aAAa,OAAQoxB,GAAIA,EAAI/sC,EAAEj2B,MAAOi2B,EAAE2b,aAAa,OAAQoxB,GAAI,CAC9EhjE,KAAMi2B,EAAEj2B,KACRomB,SAAU6P,EAAE7P,SAAW6P,EAAE7P,SAAS1kB,QAAQ,KAAM,IAAM,GACtD2kB,KAAM4P,EAAE5P,KACRoI,OAAQwH,EAAExH,OAASwH,EAAExH,OAAO/sB,QAAQ,MAAO,IAAM,GACjDiU,KAAMsgB,EAAEtgB,KAAOsgB,EAAEtgB,KAAKjU,QAAQ,KAAM,IAAM,GAC1C4kF,SAAUrwD,EAAEqwD,SACZC,KAAMtwD,EAAEswD,KACRj4D,SAAmC,MAAzB2H,EAAE3H,SAASvS,OAAO,GAAaka,EAAE3H,SAAW,IAAM2H,EAAE3H,SAElE,CACA,OAAOH,EAAItuB,EAAE/G,OAAOoH,SAASF,MAAO,SAASgjE,GAC3C,MAAMrS,EAAIv5D,GAAE2oF,SAAS/c,GAAKnjE,EAAEmjE,GAAKA,EACjC,OAAOrS,EAAEvqC,WAAa+H,EAAE/H,UAAYuqC,EAAEtqC,OAAS8H,EAAE9H,IACnD,CACF,CAvBmC,GA2B1B,WACL,OAAO,CACT,EAuBJ,SAASyqD,GAAGl2E,EAAG2yD,GACb,IAAIt3B,EAAI,EACR,MAAM9H,EAlBR,SAAYvzB,EAAG2yD,GACb3yD,EAAIA,GAAK,GACT,MAAMq7B,EAAI,IAAI1+B,MAAMqD,GAAIuzB,EAAI,IAAI52B,MAAMqD,GACtC,IAAkBooE,EAAdnjE,EAAI,EAAG1I,EAAI,EACf,OAAOo2D,OAAU,IAANA,EAAeA,EAAI,IAAK,SAAS1vC,GAC1C,MAAM9kB,EAAIwC,KAAKJ,MAAOiC,EAAI+wB,EAAEh3B,GAC5B6rE,IAAMA,EAAIjqE,GAAIk9B,EAAEp2B,GAAKge,EAAGsQ,EAAEtuB,GAAK9G,EAC/B,IAAI22E,EAAIv4E,EAAGyiB,EAAI,EACf,KAAO81D,IAAM7vE,GACX+Z,GAAKqc,EAAEy5C,KAAMA,GAAQ90E,EACvB,GAAIiF,GAAKA,EAAI,GAAKjF,EAAGiF,IAAM1I,IAAMA,GAAKA,EAAI,GAAKyD,GAAI7B,EAAIiqE,EAAIzV,EACzD,OACF,MAAMqmB,EAAIx2E,GAAKrE,EAAIqE,EACnB,OAAOw2E,EAAI1nD,KAAKmpB,MAAU,IAAJz7B,EAAUg6D,QAAK,CACvC,CACF,CAGY2E,CAAG,GAAI,KACjB,OAAQ14E,IACN,MAAM1I,EAAI0I,EAAE2mF,OAAQxjB,EAAInjE,EAAE4mF,iBAAmB5mF,EAAE+lC,WAAQ,EAAQ+qB,EAAIx5D,EAAI8+B,EAAGpY,EAAIsQ,EAAEwiC,GAChF16B,EAAI9+B,EACJ,MAAMiG,EAAI,CACRopF,OAAQrvF,EACRyuC,MAAOo9B,EACP1R,SAAU0R,EAAI7rE,EAAI6rE,OAAI,EACtB0jB,MAAO/1B,EACPI,KAAMlzC,QAAK,EACX8oE,UAAW9oE,GAAKmlD,GARsE7rE,GAAK6rE,GAQjEA,EAAI7rE,GAAK0mB,OAAI,EACvC/nB,MAAO+J,GAETzC,EAAEmwD,EAAI,WAAa,WAAY,EAAI3yD,EAAEwC,EAAE,CAE3C,CACA,MAAwC4nC,UAAtB5mC,eAAiB,KAAgB,SAASxD,GAC1D,OAAO,IAAIsB,SAAQ,SAAS+5B,EAAG9H,GAC7B,IAAItuB,EAAIjF,EAAEH,KACV,MAAMtD,EAAIsiB,GAAEhS,KAAK7M,EAAEw2C,SAASuc,YAAaqV,EAAIpoE,EAAE0D,aAC/C,IAAIqyD,EAIA53D,EAHJ,SAAS8kB,IACPjjB,EAAEgsF,aAAehsF,EAAEgsF,YAAYlkC,YAAYiO,GAAI/1D,EAAE8gF,QAAU9gF,EAAE8gF,OAAO/0D,oBAAoB,QAASgqC,EACnG,CAEA,GAAIv5D,GAAEsoF,WAAW7/E,GACf,GAAI8mD,GAAE29B,uBAAyB39B,GAAE49B,+BAC/BptF,EAAE0tF,gBAAe,QACd,IAAiC,KAA5B9rF,EAAI5B,EAAEytF,kBAA0B,CACxC,MAAO9d,KAAMvwD,GAAKxd,EAAIA,EAAEsY,MAAM,KAAKzJ,KAAKwoE,GAAMA,EAAEr8D,SAAQpM,OAAOsN,SAAW,GAC1E9d,EAAE0tF,eAAe,CAAC/d,GAAK,yBAA0BvwD,GAAGhF,KAAK,MAC3D,CAEF,IAAInU,EAAI,IAAIgB,eACZ,GAAIxD,EAAEisF,KAAM,CACV,MAAM/f,EAAIlsE,EAAEisF,KAAKC,UAAY,GAAIvwE,EAAI3b,EAAEisF,KAAKE,SAAWC,SAASv0E,mBAAmB7X,EAAEisF,KAAKE,WAAa,GACvG5vF,EAAEuR,IAAI,gBAAiB,SAAWm7C,KAAKijB,EAAI,IAAMvwD,GACnD,CACA,MAAMm5D,EAAI+D,GAAG74E,EAAEqsF,QAASrsF,EAAEqD,KAE1B,SAAS2b,IACP,IAAKxc,EACH,OACF,MAAM0pE,EAAIrtD,GAAEhS,KACV,0BAA2BrK,GAAKA,EAAE8pF,0BApJ1C,SAAYtsF,EAAG2yD,EAAGt3B,GAChB,MAAM9H,EAAI8H,EAAE1a,OAAOgqE,eAClBtvD,EAAEl3B,QAAWovB,IAAKA,EAAE8H,EAAEl3B,QAAiBwuD,EAAE,IAAIz9C,GAC5C,mCAAqCmmB,EAAEl3B,OACvC,CAAC+Q,GAAEq3E,gBAAiBr3E,GAAEo1E,kBAAkBh5D,KAAKkvB,MAAMnlB,EAAEl3B,OAAS,KAAO,GACrEk3B,EAAE1a,OACF0a,EAAEksD,QACFlsD,IAL+Br7B,EAAEq7B,EAOrC,EAoJMwiD,EAAG,SAAS/L,GACVz2C,EAAEy2C,GAAI7uD,GACR,IAAG,SAAS6uD,GACVv+C,EAAEu+C,GAAI7uD,GACR,GAZO,CACLpjB,KAAOuoE,GAAW,SAANA,GAAsB,SAANA,EAAgC5lE,EAAEqB,SAAnBrB,EAAEgqF,aAC7CroF,OAAQ3B,EAAE2B,OACVsoF,WAAYjqF,EAAEiqF,WACdj2C,QAAS01B,EACTvrD,OAAQ3gB,EACRunF,QAAS/kF,IAMJA,EAAI,IACb,CACA,GApBAA,EAAEiB,KAAKzD,EAAEiB,OAAO+W,cAAe2wE,GAAG7T,EAAG90E,EAAEgd,OAAQhd,EAAE0sF,mBAAmB,GAAKlqF,EAAE80D,QAAUt3D,EAAEs3D,QAoBnF,cAAe90D,EAAIA,EAAEmE,UAAYqY,EAAIxc,EAAEmzD,mBAAqB,YAC7DnzD,GAAsB,IAAjBA,EAAEmqF,YAAiC,IAAbnqF,EAAE2B,UAAkB3B,EAAEoqF,aAAkD,IAAnCpqF,EAAEoqF,YAAY37E,QAAQ,WAAmBxL,WAAWuZ,EACvH,EAAGxc,EAAEqqF,QAAU,WACbrqF,IAAM+wB,EAAE,IAAIre,GAAE,kBAAmBA,GAAE43E,aAAc9sF,EAAGwC,IAAKA,EAAI,KAC/D,EAAGA,EAAEsB,QAAU,WACbyvB,EAAE,IAAIre,GAAE,gBAAiBA,GAAE63E,YAAa/sF,EAAGwC,IAAKA,EAAI,IACtD,EAAGA,EAAEwqF,UAAY,WACf,IAAIrxE,EAAI3b,EAAEs3D,QAAU,cAAgBt3D,EAAEs3D,QAAU,cAAgB,mBAChE,MAAMke,EAAIx1E,EAAE6pF,cAAgBvR,GAC5Bt4E,EAAEitF,sBAAwBtxE,EAAI3b,EAAEitF,qBAAsB15D,EAAE,IAAIre,GAC1DyG,EACA65D,EAAE2T,oBAAsBj0E,GAAEg4E,UAAYh4E,GAAE43E,aACxC9sF,EACAwC,IACEA,EAAI,IACV,EAAGupD,GAAE29B,sBAAuB,CAC1B,MAAMxd,EAAIwQ,GAAG5H,IAAM90E,EAAEuqF,gBAAkBc,GAAGG,KAAKxrF,EAAEuqF,gBACjDre,GAAK3vE,EAAEuR,IAAI9N,EAAEwqF,eAAgBte,EAC/B,MACM,IAANjnE,GAAgB1I,EAAE0tF,eAAe,MAAO,qBAAsBznF,GAAKhG,GAAE0P,QAAQ3P,EAAEmG,UAAU,SAASiZ,EAAG65D,GACnGhzE,EAAE2qF,iBAAiB3X,EAAG75D,EACxB,IAAInf,GAAE4mC,YAAYpjC,EAAEotF,mBAAqB5qF,EAAE4qF,kBAAoBptF,EAAEotF,iBAAkBhlB,GAAW,SAANA,IAAiB5lE,EAAEkB,aAAe1D,EAAE0D,cAA8C,mBAAxB1D,EAAEqtF,oBAAoC7qF,EAAEqpB,iBAAiB,WAAYqqD,GAAGl2E,EAAEqtF,oBAAoB,IAAmC,mBAAtBrtF,EAAEstF,kBAAkC9qF,EAAEg6C,QAAUh6C,EAAEg6C,OAAO3wB,iBAAiB,WAAYqqD,GAAGl2E,EAAEstF,oBAAqBttF,EAAEgsF,aAAehsF,EAAE8gF,UAAY/qB,EAAKmW,IAC/Y1pE,IAAM+wB,GAAG24C,GAAKA,EAAErmE,KAAO,IAAIqsE,GAAE,KAAMlyE,EAAGwC,GAAK0pE,GAAI1pE,EAAE0uB,QAAS1uB,EAAI,KAAK,EAClExC,EAAEgsF,aAAehsF,EAAEgsF,YAAY3zD,UAAU09B,GAAI/1D,EAAE8gF,SAAW9gF,EAAE8gF,OAAO1yD,QAAU2nC,IAAM/1D,EAAE8gF,OAAOj1D,iBAAiB,QAASkqC,KACzH,MAAMijB,EAzGV,SAAYh5E,GACV,MAAM2yD,EAAI,4BAA4Bp6C,KAAKvY,GAC3C,OAAO2yD,GAAKA,EAAE,IAAM,EACtB,CAsGc+oB,CAAG5G,GACTkE,IAAiC,IAA5BjtB,GAAEu9B,UAAUr4E,QAAQ+nE,GAC3BzlD,EAAE,IAAIre,GAAE,wBAA0B8jE,EAAI,IAAK9jE,GAAEq3E,gBAAiBvsF,IAGhEwC,EAAEyB,KAAKgB,GAAK,KACd,GACF,EAAG8e,GAAK,CACNwpE,KAjsBS,KAksBThqF,IAAK6mC,IAEP5tC,GAAE0P,QAAQ6X,IAAI,CAAC/jB,EAAG2yD,KAChB,GAAI3yD,EAAG,CACL,IACE1F,OAAOua,eAAe7U,EAAG,OAAQ,CAAEI,MAAOuyD,GAC5C,CAAE,MACF,CACAr4D,OAAOua,eAAe7U,EAAG,cAAe,CAAEI,MAAOuyD,GACnD,KAEF,MAAMwgB,GAAMnzE,GAAM,KAAKA,IAAKg/E,GAAMh/E,GAAMxD,GAAEwmC,WAAWhjC,IAAY,OAANA,IAAoB,IAANA,EAAU44E,GACpE54E,IACXA,EAAIxD,GAAEgM,QAAQxI,GAAKA,EAAI,CAACA,GACxB,MAAQvD,OAAQk2D,GAAM3yD,EACtB,IAAIq7B,EAAG9H,EACP,MAAMtuB,EAAI,CAAC,EACX,IAAK,IAAI1I,EAAI,EAAGA,EAAIo2D,EAAGp2D,IAAK,CAE1B,IAAI6rE,EACJ,GAFA/sC,EAAIr7B,EAAEzD,GAEFg3B,EAAI8H,GAAI2jD,GAAG3jD,KAAO9H,EAAIxP,IAAIqkD,EAAIriE,OAAOs1B,IAAI7zB,oBAAsB,IAAN+rB,GAC3D,MAAM,IAAIre,GAAE,oBAAoBkzD,MAClC,GAAI70C,EACF,MACFtuB,EAAEmjE,GAAK,IAAM7rE,GAAKg3B,CACpB,CACA,IAAKA,EAAG,CACN,MAAMh3B,EAAIjC,OAAOke,QAAQvT,GAAG+H,KAC1B,EAAE+oD,EAAG9yC,KAAO,WAAW8yC,OAAc,IAAN9yC,EAAW,sCAAwC,mCAKpF,MAAM,IAAI/N,GACR,yDAJMy9C,EAAIp2D,EAAEE,OAAS,EAAI,YAC7BF,EAAEyQ,IAAImmE,IAAIx8D,KAAK,MACd,IAAMw8D,GAAG52E,EAAE,IAAM,2BAGd,kBAEJ,CACA,OAAOg3B,CAAC,EAIZ,SAAS8/C,GAAGrzE,GACV,GAAIA,EAAEgsF,aAAehsF,EAAEgsF,YAAYwB,mBAAoBxtF,EAAE8gF,QAAU9gF,EAAE8gF,OAAO1yD,QAC1E,MAAM,IAAI8jD,GAAE,KAAMlyE,EACtB,CACA,SAAS6zE,GAAG7zE,GACV,OAAOqzE,GAAGrzE,GAAIA,EAAEw2C,QAAU33B,GAAEhS,KAAK7M,EAAEw2C,SAAUx2C,EAAEH,KAAO+8E,GAAG3gF,KACvD+D,EACAA,EAAE+pF,mBAC+C,IAAhD,CAAC,OAAQ,MAAO,SAAS94E,QAAQjR,EAAEiB,SAAkBjB,EAAEw2C,QAAQyzC,eAAe,qCAAqC,GAAKrR,GAAc54E,EAAE8pF,SAAWgB,GAAGhB,QAA9BlR,CAAuC54E,GAAGuT,MAAK,SAASggB,GACjL,OAAO8/C,GAAGrzE,GAAIuzB,EAAE1zB,KAAO+8E,GAAG3gF,KACxB+D,EACAA,EAAEqqF,kBACF92D,GACCA,EAAEijB,QAAU33B,GAAEhS,KAAK0mB,EAAEijB,SAAUjjB,CACpC,IAAG,SAASA,GACV,OAAOmlD,GAAGnlD,KAAO8/C,GAAGrzE,GAAIuzB,GAAKA,EAAE1vB,WAAa0vB,EAAE1vB,SAAShE,KAAO+8E,GAAG3gF,KAC/D+D,EACAA,EAAEqqF,kBACF92D,EAAE1vB,UACD0vB,EAAE1vB,SAAS2yC,QAAU33B,GAAEhS,KAAK0mB,EAAE1vB,SAAS2yC,WAAYl1C,QAAQ0J,OAAOuoB,EACvE,GACF,CACA,MAAMugD,GAAM9zE,GAAMA,aAAa6e,GAAI7e,EAAE0C,SAAW1C,EAChD,SAASytF,GAAEztF,EAAG2yD,GACZA,EAAIA,GAAK,CAAC,EACV,MAAMt3B,EAAI,CAAC,EACX,SAAS9H,EAAEp1B,EAAGqE,EAAGsyE,GACf,OAAOt4E,GAAE+F,cAAcpE,IAAM3B,GAAE+F,cAAcC,GAAKhG,GAAEq4E,MAAM54E,KAAK,CAAE6pF,SAAUhR,GAAK32E,EAAGqE,GAAKhG,GAAE+F,cAAcC,GAAKhG,GAAEq4E,MAAM,CAAC,EAAGryE,GAAKhG,GAAEgM,QAAQhG,GAAKA,EAAEtG,QAAUsG,CAC3J,CACA,SAASyC,EAAE9G,EAAGqE,EAAGsyE,GACf,OAAIt4E,GAAE4mC,YAAY5gC,GACXhG,GAAE4mC,YAAYjlC,QAAnB,EACSo1B,OAAE,EAAQp1B,EAAG22E,GAEfvhD,EAAEp1B,EAAGqE,EAAGsyE,EACnB,CACA,SAASv4E,EAAE4B,EAAGqE,GACZ,IAAKhG,GAAE4mC,YAAY5gC,GACjB,OAAO+wB,OAAE,EAAQ/wB,EACrB,CACA,SAAS4lE,EAAEjqE,EAAGqE,GACZ,OAAIhG,GAAE4mC,YAAY5gC,GACXhG,GAAE4mC,YAAYjlC,QAAnB,EACSo1B,OAAE,EAAQp1B,GAEZo1B,OAAE,EAAQ/wB,EACrB,CACA,SAASuzD,EAAE53D,EAAGqE,EAAGsyE,GACf,OAAIA,KAAKniB,EACAp/B,EAAEp1B,EAAGqE,GACVsyE,KAAK90E,EACAuzB,OAAE,EAAQp1B,QADnB,CAEF,CACA,MAAM8kB,EAAI,CACR5f,IAAK9G,EACL0E,OAAQ1E,EACRsD,KAAMtD,EACN8vF,QAASjkB,EACT2hB,iBAAkB3hB,EAClBiiB,kBAAmBjiB,EACnBskB,iBAAkBtkB,EAClB9Q,QAAS8Q,EACTslB,eAAgBtlB,EAChBglB,gBAAiBhlB,EACjB0hB,QAAS1hB,EACT1kE,aAAc0kE,EACdmiB,eAAgBniB,EAChBoiB,eAAgBpiB,EAChBklB,iBAAkBllB,EAClBilB,mBAAoBjlB,EACpBulB,WAAYvlB,EACZqiB,iBAAkBriB,EAClBsiB,cAAetiB,EACfwlB,eAAgBxlB,EAChBylB,UAAWzlB,EACX0lB,UAAW1lB,EACX2lB,WAAY3lB,EACZ4jB,YAAa5jB,EACb4lB,WAAY5lB,EACZ6lB,iBAAkB7lB,EAClBuiB,eAAgB50B,EAChBvf,QAAS,CAACr4C,EAAGqE,IAAMyC,EAAE6uE,GAAG31E,GAAI21E,GAAGtxE,IAAI,IAErC,OAAOhG,GAAE0P,QAAQ5R,OAAO6G,KAAK7G,OAAOmF,OAAO,CAAC,EAAGO,EAAG2yD,KAAK,SAASnwD,GAC9D,MAAMsyE,EAAI7xD,EAAEzgB,IAAMyC,EAAG+Z,EAAI81D,EAAE90E,EAAEwC,GAAImwD,EAAEnwD,GAAIA,GACvChG,GAAE4mC,YAAYpkB,IAAM81D,IAAM/e,IAAM16B,EAAE74B,GAAKwc,EACzC,IAAIqc,CACN,CACA,MAAoB6yD,GAAK,CAAC,EAC1B,CAAC,SAAU,UAAW,SAAU,WAAY,SAAU,UAAUhiF,SAAQ,CAAClM,EAAG2yD,KAC1Eu7B,GAAGluF,GAAK,SAASuzB,GACf,cAAcA,IAAMvzB,GAAK,KAAO2yD,EAAI,EAAI,KAAO,KAAO3yD,CACxD,CAAC,IAEH,MAAMmuF,GAAK,CAAC,EACZD,GAAGrE,aAAe,SAASl3B,EAAGt3B,EAAG9H,GAC/B,SAAStuB,EAAE1I,EAAG6rE,GACZ,MAAO,uCAA8C7rE,EAAI,IAAM6rE,GAAK70C,EAAI,KAAOA,EAAI,GACrF,CACA,MAAO,CAACh3B,EAAG6rE,EAAGrS,KACZ,IAAU,IAANpD,EACF,MAAM,IAAIz9C,GACRjQ,EAAEmjE,EAAG,qBAAuB/sC,EAAI,OAASA,EAAI,KAC7CnmB,GAAEk5E,gBAEN,OAAO/yD,IAAM8yD,GAAG/lB,KAAO+lB,GAAG/lB,IAAK,EAAIrkE,EAAQ1F,KACzC4G,EACEmjE,EACA,+BAAiC/sC,EAAI,8CAErCs3B,GAAIA,EAAEp2D,EAAG6rE,EAAGrS,EAAO,CAE3B,EAkBA,MAAMs4B,GAAK,CACTC,cAlBF,SAAYtuF,EAAG2yD,EAAGt3B,GAChB,GAAgB,iBAALr7B,EACT,MAAM,IAAIkV,GAAE,4BAA6BA,GAAEq5E,sBAC7C,MAAMh7D,EAAIj5B,OAAO6G,KAAKnB,GACtB,IAAIiF,EAAIsuB,EAAE92B,OACV,KAAOwI,KAAM,GAAK,CAChB,MAAM1I,EAAIg3B,EAAEtuB,GAAImjE,EAAIzV,EAAEp2D,GACtB,GAAI6rE,EAAJ,CACE,MAAMrS,EAAI/1D,EAAEzD,GAAI0mB,OAAU,IAAN8yC,GAAgBqS,EAAErS,EAAGx5D,EAAGyD,GAC5C,IAAU,IAANijB,EACF,MAAM,IAAI/N,GAAE,UAAY3Y,EAAI,YAAc0mB,EAAG/N,GAAEq5E,qBAEnD,MACA,IAAU,IAANlzD,EACF,MAAM,IAAInmB,GAAE,kBAAoB3Y,EAAG2Y,GAAEs5E,eACzC,CACF,EAGEC,WAAYP,IACX5Y,GAAI+Y,GAAGI,WACV,IAAIlZ,GAAI,MACN,WAAA32E,CAAY+zD,GACV53D,KAAKi9D,SAAWrF,EAAG53D,KAAK2zF,aAAe,CACrCnH,QAAS,IAAIlR,GACbxyE,SAAU,IAAIwyE,GAElB,CASA,OAAAkR,CAAQ50B,EAAGt3B,GACG,iBAALs3B,GAAiBt3B,EAAIA,GAAK,CAAC,GAAKh4B,IAAMsvD,EAAKt3B,EAAIs3B,GAAK,CAAC,EAAGt3B,EAAIoyD,GAAE1yF,KAAKi9D,SAAU38B,GACpF,MAAQwuD,aAAct2D,EAAGm5D,iBAAkBznF,EAAGuxC,QAASj6C,GAAM8+B,OACvD,IAAN9H,GAAgB86D,GAAGC,cAAc/6D,EAAG,CAClC01D,kBAAmB3T,GAAEuU,aAAavU,GAAE4K,SACpCgJ,kBAAmB5T,GAAEuU,aAAavU,GAAE4K,SACpCiJ,oBAAqB7T,GAAEuU,aAAavU,GAAE4K,WACrC,GAAU,MAALj7E,IAAczI,GAAEwmC,WAAW/9B,GAAKo2B,EAAEqxD,iBAAmB,CAC3D9D,UAAW3jF,GACTopF,GAAGC,cAAcrpF,EAAG,CACtBkT,OAAQm9D,GAAEqZ,SACV/F,UAAWtT,GAAEqZ,WACZ,IAAMtzD,EAAEp6B,QAAUo6B,EAAEp6B,QAAUlG,KAAKi9D,SAAS/2D,QAAU,OAAOuG,cAChE,IAAI4gE,EAAI7rE,GAAKC,GAAEq4E,MACbt4E,EAAEquF,OACFruF,EAAE8+B,EAAEp6B,SAEN1E,GAAKC,GAAE0P,QACL,CAAC,SAAU,MAAO,OAAQ,OAAQ,MAAO,QAAS,WACjDggE,WACQ3vE,EAAE2vE,EAAE,IAEZ7wC,EAAEmb,QAAU33B,GAAEziB,OAAOgsE,EAAG7rE,GAC3B,MAAMw5D,EAAI,GACV,IAAI9yC,GAAI,EACRloB,KAAK2zF,aAAanH,QAAQr7E,SAAQ,SAASyP,GACrB,mBAAbA,EAAEotE,UAA0C,IAAjBptE,EAAEotE,QAAQ1tD,KAAcpY,EAAIA,GAAKtH,EAAEmtE,YAAa/yB,EAAEloD,QAAQ8N,EAAEktE,UAAWltE,EAAEgkE,UAC7G,IACA,MAAMxhF,EAAI,GACVpD,KAAK2zF,aAAa7qF,SAASqI,SAAQ,SAASyP,GAC1Cxd,EAAE5C,KAAKogB,EAAEktE,UAAWltE,EAAEgkE,SACxB,IACA,IAAIn9E,EAAUwc,EAAP81D,EAAI,EACX,IAAK7xD,EAAG,CACN,MAAMipD,EAAI,CAAC2H,GAAG1kE,KAAKpU,WAAO,GAC1B,IAAKmxE,EAAEr+D,QAAQrQ,MAAM0uE,EAAGnW,GAAImW,EAAE3wE,KAAKiC,MAAM0uE,EAAG/tE,GAAI6gB,EAAIktD,EAAEzvE,OAAQ+F,EAAIlB,QAAQD,QAAQg6B,GAAIy5C,EAAI91D,GACxFxc,EAAIA,EAAE+Q,KAAK24D,EAAE4I,KAAM5I,EAAE4I,MACvB,OAAOtyE,CACT,CACAwc,EAAI+2C,EAAEt5D,OACN,IAAIu8E,EAAI39C,EACR,IAAKy5C,EAAI,EAAGA,EAAI91D,GAAK,CACnB,MAAMktD,EAAInW,EAAE+e,KAAMn5D,EAAIo6C,EAAE+e,KACxB,IACEkE,EAAI9M,EAAE8M,EACR,CAAE,MAAOxD,GACP75D,EAAE1f,KAAKlB,KAAMy6E,GACb,KACF,CACF,CACA,IACEhzE,EAAIqxE,GAAG53E,KAAKlB,KAAMi+E,EACpB,CAAE,MAAO9M,GACP,OAAO5qE,QAAQ0J,OAAOkhE,EACxB,CACA,IAAK4I,EAAI,EAAG91D,EAAI7gB,EAAE1B,OAAQq4E,EAAI91D,GAC5Bxc,EAAIA,EAAE+Q,KAAKpV,EAAE22E,KAAM32E,EAAE22E,MACvB,OAAOtyE,CACT,CACA,MAAAosF,CAAOj8B,GAGL,OAAOg2B,GADG9P,IADVlmB,EAAI86B,GAAE1yF,KAAKi9D,SAAUrF,IACN05B,QAAS15B,EAAEtvD,KACbsvD,EAAE31C,OAAQ21C,EAAE+5B,iBAC3B,GAEFlwF,GAAE0P,QAAQ,CAAC,SAAU,MAAO,OAAQ,YAAY,SAASymD,GACvD4iB,GAAEh7E,UAAUo4D,GAAK,SAASt3B,EAAG9H,GAC3B,OAAOx4B,KAAKwsF,QAAQkG,GAAEl6D,GAAK,CAAC,EAAG,CAC7BtyB,OAAQ0xD,EACRtvD,IAAKg4B,EACLx7B,MAAO0zB,GAAK,CAAC,GAAG1zB,OAEpB,CACF,IACArD,GAAE0P,QAAQ,CAAC,OAAQ,MAAO,UAAU,SAASymD,GAC3C,SAASt3B,EAAE9H,GACT,OAAO,SAASh3B,EAAG6rE,EAAGrS,GACpB,OAAOh7D,KAAKwsF,QAAQkG,GAAE13B,GAAK,CAAC,EAAG,CAC7B90D,OAAQ0xD,EACRnc,QAASjjB,EAAI,CACX,eAAgB,uBACd,CAAC,EACLlwB,IAAK9G,EACLsD,KAAMuoE,IAEV,CACF,CACAmN,GAAEh7E,UAAUo4D,GAAKt3B,IAAKk6C,GAAEh7E,UAAUo4D,EAAI,QAAUt3B,GAAE,EACpD,IACA,MAAMw+C,GAAItE,GA8EJwH,GAAK,CACT8R,SAAU,IACVC,mBAAoB,IACpBC,WAAY,IACZC,WAAY,IACZC,GAAI,IACJC,QAAS,IACTC,SAAU,IACVC,4BAA6B,IAC7BC,UAAW,IACXC,aAAc,IACdC,eAAgB,IAChBC,YAAa,IACbC,gBAAiB,IACjBC,OAAQ,IACRC,gBAAiB,IACjBC,iBAAkB,IAClBC,MAAO,IACPC,SAAU,IACVC,YAAa,IACbC,SAAU,IACVC,OAAQ,IACRC,kBAAmB,IACnBC,kBAAmB,IACnBC,WAAY,IACZC,aAAc,IACdC,gBAAiB,IACjBC,UAAW,IACXC,SAAU,IACVC,iBAAkB,IAClBC,cAAe,IACfC,4BAA6B,IAC7BC,eAAgB,IAChBC,SAAU,IACVC,KAAM,IACNC,eAAgB,IAChBC,mBAAoB,IACpBC,gBAAiB,IACjBC,WAAY,IACZC,qBAAsB,IACtBC,oBAAqB,IACrBC,kBAAmB,IACnBC,UAAW,IACXC,mBAAoB,IACpBC,oBAAqB,IACrBC,OAAQ,IACRC,iBAAkB,IAClBC,SAAU,IACVC,gBAAiB,IACjBC,qBAAsB,IACtBC,gBAAiB,IACjBC,4BAA6B,IAC7BC,2BAA4B,IAC5BC,oBAAqB,IACrBC,eAAgB,IAChBC,WAAY,IACZC,mBAAoB,IACpBC,eAAgB,IAChBC,wBAAyB,IACzBC,sBAAuB,IACvBC,oBAAqB,IACrBC,aAAc,IACdC,YAAa,IACbC,8BAA+B,KAEjCr4F,OAAOke,QAAQukE,IAAI7wE,SAAQ,EAAElM,EAAG2yD,MAC9BoqB,GAAGpqB,GAAK3yD,CAAC,IAEX,MAAM4yF,GAAK7V,GAOLjlE,GANN,SAASsgE,EAAGp4E,GACV,MAAM2yD,EAAI,IAAIknB,GAAE75E,GAAIq7B,EAAI88C,EAAG0B,GAAEt/E,UAAUgtF,QAAS50B,GAChD,OAAOn2D,GAAEgf,OAAO6f,EAAGw+C,GAAEt/E,UAAWo4D,EAAG,CAAEuxB,YAAY,IAAO1nF,GAAEgf,OAAO6f,EAAGs3B,EAAG,KAAM,CAAEuxB,YAAY,IAAO7oD,EAAE1/B,OAAS,SAASsJ,GACpH,OAAOmzE,EAAGqV,GAAEztF,EAAGiF,GACjB,EAAGo2B,CACL,CACU+8C,CAAG0S,IACbhzE,GAAEg0B,MAAQ+tC,GACV/hE,GAAEk0B,cAAgBkmC,GAClBp6D,GAAEo0B,YA3JO,MAAM2mD,EACb,WAAAj0F,CAAY+zD,GACV,GAAgB,mBAALA,EACT,MAAM,IAAIx3D,UAAU,gCACtB,IAAIkgC,EACJtgC,KAAKqrD,QAAU,IAAI9kD,SAAQ,SAAS/E,GAClC8+B,EAAI9+B,CACN,IACA,MAAMg3B,EAAIx4B,KACVA,KAAKqrD,QAAQ7yC,MAAMtO,IACjB,IAAKsuB,EAAEu/D,WACL,OACF,IAAIv2F,EAAIg3B,EAAEu/D,WAAWr2F,OACrB,KAAOF,KAAM,GACXg3B,EAAEu/D,WAAWv2F,GAAG0I,GAClBsuB,EAAEu/D,WAAa,IAAI,IACjB/3F,KAAKqrD,QAAQ7yC,KAAQtO,IACvB,IAAI1I,EACJ,MAAM6rE,EAAI,IAAI9mE,SAASy0D,IACrBxiC,EAAE8E,UAAU09B,GAAIx5D,EAAIw5D,CAAC,IACpBxiD,KAAKtO,GACR,OAAOmjE,EAAExuC,OAAS,WAChBrG,EAAEu0B,YAAYvrD,EAChB,EAAG6rE,CAAC,EACHzV,GAAE,SAASp2D,EAAG6rE,EAAGrS,GAClBxiC,EAAEpB,SAAWoB,EAAEpB,OAAS,IAAI+/C,GAAE31E,EAAG6rE,EAAGrS,GAAI16B,EAAE9H,EAAEpB,QAC9C,GACF,CAIA,gBAAAq7D,GACE,GAAIzyF,KAAKo3B,OACP,MAAMp3B,KAAKo3B,MACf,CAIA,SAAAkG,CAAUs6B,GACJ53D,KAAKo3B,OACPwgC,EAAE53D,KAAKo3B,QAGTp3B,KAAK+3F,WAAa/3F,KAAK+3F,WAAWv3F,KAAKo3D,GAAK53D,KAAK+3F,WAAa,CAACngC,EACjE,CAIA,WAAA7K,CAAY6K,GACV,IAAK53D,KAAK+3F,WACR,OACF,MAAMz3D,EAAItgC,KAAK+3F,WAAW7hF,QAAQ0hD,IAC3B,IAAPt3B,GAAYtgC,KAAK+3F,WAAW5hF,OAAOmqB,EAAG,EACxC,CAKA,aAAOvZ,GACL,IAAI6wC,EACJ,MAAO,CACLx8C,MAAO,IAAI08E,GAAG,SAAS5tF,GACrB0tD,EAAI1tD,CACN,IACA20B,OAAQ+4B,EAEZ,GA0FF76C,GAAEm0B,SAAWysC,GACb5gE,GAAEq0B,QApTS,QAqTXr0B,GAAE00B,WAAaglC,GACf15D,GAAEi0B,WAAa72B,GACf4C,GAAEu0B,OAASv0B,GAAEk0B,cACbl0B,GAAEs0B,IAAM,SAASumB,GACf,OAAOrxD,QAAQ8qC,IAAIumB,EACrB,EACA76C,GAAEy0B,OA/FF,SAAYvsC,GACV,OAAO,SAASq7B,GACd,OAAOr7B,EAAExC,MAAM,KAAM69B,EACvB,CACF,EA4FAvjB,GAAEw0B,aA3FF,SAAYtsC,GACV,OAAOxD,GAAE0wB,SAASltB,KAAyB,IAAnBA,EAAEssC,YAC5B,EA0FAx0B,GAAE+0B,YAAc4gD,GAChB31E,GAAE20B,aAAe5tB,GACjB/G,GAAE60B,WAAc3sC,GAAMy4E,GAAGj8E,GAAE+pF,WAAWvmF,GAAK,IAAI+kF,SAAS/kF,GAAKA,GAC7D8X,GAAE80B,WAAagsC,GACf9gE,GAAE40B,eAAiBkmD,GACnB96E,GAAE6G,QAAU7G,GACZ,MAAMi7E,GAAKj7E,IACTg0B,MAAOknD,GACPjnD,WAAYknD,GACZjnD,cAAeuvC,GACftvC,SAAUinD,GACVhnD,YAAainD,GACbhnD,QAASinD,GACThnD,IAAKinD,GACLhnD,OAAQinD,GACRhnD,aAAcinD,GACdhnD,OAAQinD,GACRhnD,WAAYinD,GACZhnD,aAAcinD,GACdhnD,eAAgBinD,GAChBhnD,WAAYinD,GACZhnD,WAAYinD,GACZhnD,YAAasmB,IACX4/B,GAAIhV,GC37CO,SAAgB/wC,GAC9B,IAAOn0B,OAAOirB,UD07CC,QC17CyCjrB,OAAO6oE,kBAC9D,MAAM,IAAIvmF,UAAU,uDAGrB,MAAM4zB,EAAQ,IAAI,IAClB,IAAI+kE,EAAc,EAElB,MAQM7/E,EAAM5J,MAAO83E,EAAW9gF,EAASo4B,KACtCq6D,IAEA,MAAMltF,EAAS,UAAau7E,KAAa1oD,GAA1B,GAEfp4B,EAAQuF,GAER,UACOA,CACP,CAAE,MAAO,CAhBTktF,IAEI/kE,EAAMvhB,KAAO,GAChBuhB,EAAMwyD,SAANxyD,EAeK,EAqBDglE,EAAY,CAAC5R,KAAc1oD,IAAe,IAAIn4B,SAAQD,IAlB5C,EAAC8gF,EAAW9gF,EAASo4B,KACpC1K,EAAMiyD,QACLsC,EAAmBrvE,EAAI9E,UAAK5R,EAAW4kF,EAAW9gF,EAASo4B,KAG5D,iBAKOn4B,QAAQD,UAEVyyF,EDi5CS,GCj5CoB/kE,EAAMvhB,KAAO,GAC7CuhB,EAAMwyD,SAANxyD,EAED,EAVD,EAUI,EAIJiyD,CAAQmB,EAAW9gF,EAASo4B,EAAW,IAiBxC,OAdAn/B,OAAOo7B,iBAAiBq+D,EAAW,CAClCD,YAAa,CACZhzF,IAAK,IAAMgzF,GAEZE,aAAc,CACblzF,IAAK,IAAMiuB,EAAMvhB,MAElBymF,WAAY,CACX,KAAA7zF,GACC2uB,EAAM4K,OACP,KAIKo6D,CACR,CDw3Ca,GAAOG,GAAI,IAAIztF,WAAc6vE,GAAKjsE,eAAerK,EAAG2yD,EAAGt3B,EAAG9H,EAAI,SACxEtuB,OAAI,EAAQ1I,EAAI,CAAC,GAClB,IAAI6rE,EACJ,OAA2BA,EAApBzV,aAAa7sD,KAAW6sD,QAAcA,IAAK1tD,IAAM1I,EAAEk6C,YAAcxxC,GAAI1I,EAAE,kBAAoBA,EAAE,gBAAkB,kCAAmC,IAAEgrF,QAAQ,CACjKtmF,OAAQ,MACRoC,IAAKrD,EACLH,KAAMuoE,EACN0Y,OAAQzlD,EACRiyD,iBAAkB/5D,EAClBijB,QAASj6C,GAEb,EAAGiY,GAAK,SAASxU,EAAG2yD,EAAGt3B,GACrB,OAAO0iD,IAAG,IAAM,IAAIz8E,SAAQ,CAACiyB,EAAGtuB,KAC9BivF,GAAEvwF,OAAS,KACI,OAAbuwF,GAAEttF,QAAmB2sB,EAAE,IAAIztB,KAAK,CAACouF,GAAEttF,QAAS,CAC1Cf,KAAM,8BACHZ,EAAE,IAAI4B,MAAM,gCAAgC,EAChDqtF,GAAEC,kBAAkBn0F,EAAE9D,MAAMy2D,EAAGA,EAAIt3B,GAAG,KAE7C,EAOGw/C,GAAI,SAAS76E,OAAI,GAClB,MAAM2yD,EAAIz0D,OAAOs3C,IAAI4+C,WAAWlpF,OAAOmpF,eACvC,GAAI1hC,GAAK,EACP,OAAO,EACT,IAAK95C,OAAO85C,GACV,OAAO,SACT,MAAMt3B,EAAI/J,KAAKD,IAAIxY,OAAO85C,GAAI,SAC9B,YAAa,IAAN3yD,EAAeq7B,EAAI/J,KAAKD,IAAIgK,EAAG/J,KAAKivB,KAAKvgD,EAAI,KACtD,EACA,IAAI4Y,GAAoB,CAAE5Y,IAAOA,EAAEA,EAAEs0F,YAAc,GAAK,cAAet0F,EAAEA,EAAEu0F,UAAY,GAAK,YAAav0F,EAAEA,EAAEw0F,WAAa,GAAK,aAAcx0F,EAAEA,EAAEy0F,SAAW,GAAK,WAAYz0F,EAAEA,EAAE00F,UAAY,GAAK,YAAa10F,EAAEA,EAAE0yE,OAAS,GAAK,SAAU1yE,GAAnN,CAAuN4Y,IAAK,CAAC,GACrP,IAAI+7E,GAAK,MACPC,QACAC,MACAC,WACAC,QACAC,MACAC,UAAY,EACZC,WAAa,EACbC,QAAU,EACVC,YACAC,UAAY,KACZ,WAAAz2F,CAAY+zD,EAAGt3B,GAAI,EAAI9H,EAAGtuB,GACxB,MAAM1I,EAAI+0B,KAAKuL,IAAIg+C,KAAM,EAAIvpD,KAAKivB,KAAKhtB,EAAIsnD,MAAO,EAAG,KACrD9/E,KAAK65F,QAAUjiC,EAAG53D,KAAK+5F,WAAaz5D,GAAKw/C,KAAM,GAAKt+E,EAAI,EAAGxB,KAAKg6F,QAAUh6F,KAAK+5F,WAAav4F,EAAI,EAAGxB,KAAKi6F,MAAQzhE,EAAGx4B,KAAK85F,MAAQ5vF,EAAGlK,KAAKq6F,YAAc,IAAIE,eAC5J,CACA,UAAIxzE,GACF,OAAO/mB,KAAK65F,OACd,CACA,QAAIzpF,GACF,OAAOpQ,KAAK85F,KACd,CACA,aAAIU,GACF,OAAOx6F,KAAK+5F,UACd,CACA,UAAIpyD,GACF,OAAO3nC,KAAKg6F,OACd,CACA,QAAIvnF,GACF,OAAOzS,KAAKi6F,KACd,CACA,aAAIQ,GACF,OAAOz6F,KAAKm6F,UACd,CACA,YAAIrxF,CAAS8uD,GACX53D,KAAKs6F,UAAY1iC,CACnB,CACA,YAAI9uD,GACF,OAAO9I,KAAKs6F,SACd,CACA,YAAII,GACF,OAAO16F,KAAKk6F,SACd,CAIA,YAAIQ,CAAS9iC,GACX,GAAIA,GAAK53D,KAAKi6F,MAEZ,OADAj6F,KAAKo6F,QAAUp6F,KAAK+5F,WAAa,EAAI,OAAG/5F,KAAKk6F,UAAYl6F,KAAKi6F,OAGhEj6F,KAAKo6F,QAAU,EAAGp6F,KAAKk6F,UAAYtiC,EAAuB,IAApB53D,KAAKm6F,aAAqBn6F,KAAKm6F,YAAa,IAAqBv0F,MAAQ4iC,UACjH,CACA,UAAIp/B,GACF,OAAOpJ,KAAKo6F,OACd,CAIA,UAAIhxF,CAAOwuD,GACT53D,KAAKo6F,QAAUxiC,CACjB,CAIA,UAAImuB,GACF,OAAO/lF,KAAKq6F,YAAYtU,MAC1B,CAIA,MAAAlnD,GACE7+B,KAAKq6F,YAAYlkE,QAASn2B,KAAKo6F,QAAU,CAC3C,GAuBF,MAAgHxoE,GAArG,CAAC3sB,GAAY,OAANA,GAAa,UAAKw4B,OAAO,YAAYE,SAAU,UAAKF,OAAO,YAAY23C,OAAOnwE,EAAEo+B,KAAK1F,QAAag9D,EAAG,WACvH,IAAIC,GAAqB,CAAE31F,IAAOA,EAAEA,EAAE41F,KAAO,GAAK,OAAQ51F,EAAEA,EAAEu0F,UAAY,GAAK,YAAav0F,EAAEA,EAAE61F,OAAS,GAAK,SAAU71F,GAA/F,CAAmG21F,IAAM,CAAC,GACnI,MAAMtd,GAEJyd,mBACAC,UAEAC,aAAe,GACfC,UAAY,IAAI,EAAG,CAAEjpD,YAAa,IAClCkpD,WAAa,EACbC,eAAiB,EACjBC,aAAe,EACfC,WAAa,GAOb,WAAAz3F,CAAY+zD,GAAI,EAAIt3B,GAClB,GAAItgC,KAAKg7F,UAAYpjC,GAAIt3B,EAAG,CAC1B,MAAM9H,GAAI,WAAM6K,IAAKn5B,GAAI,uBAAG,aAAasuB,KACzC,IAAKA,EACH,MAAM,IAAI1sB,MAAM,yBAClBw0B,EAAI,IAAI,KAAG,CACTj8B,GAAI,EACJmzE,MAAOh/C,EACPkT,YAAa,KAAG0G,IAChB3G,KAAM,UAAUjT,IAChBzR,OAAQ7c,GAEZ,CACAlK,KAAK8yC,YAAcxS,EAAG1O,GAAEyT,MAAM,+BAAgC,CAC5DyN,YAAa9yC,KAAK8yC,YAClBrH,KAAMzrC,KAAKyrC,KACX8vD,SAAU3jC,EACV4jC,cAAe1b,MAEnB,CAIA,eAAIhtC,GACF,OAAO9yC,KAAK+6F,kBACd,CAIA,eAAIjoD,CAAY8kB,GACd,IAAKA,EACH,MAAM,IAAI9rD,MAAM,8BAClB9L,KAAK+6F,mBAAqBnjC,CAC5B,CAIA,QAAInsB,GACF,OAAOzrC,KAAK+6F,mBAAmBh0E,MACjC,CAIA,SAAIiN,GACF,OAAOh0B,KAAKi7F,YACd,CACA,KAAAhtD,GACEjuC,KAAKi7F,aAAa9kF,OAAO,EAAGnW,KAAKi7F,aAAav5F,QAAS1B,KAAKk7F,UAAUt8D,QAAS5+B,KAAKm7F,WAAa,EAAGn7F,KAAKo7F,eAAiB,EAAGp7F,KAAKq7F,aAAe,CACnJ,CAIA,KAAArT,GACEhoF,KAAKk7F,UAAUlT,QAAShoF,KAAKq7F,aAAe,CAC9C,CAIA,KAAApiD,GACEj5C,KAAKk7F,UAAUjiD,QAASj5C,KAAKq7F,aAAe,EAAGr7F,KAAKy7F,aACtD,CAIA,QAAIjmF,GACF,MAAO,CACL/C,KAAMzS,KAAKm7F,WACXx/B,SAAU37D,KAAKo7F,eACfhyF,OAAQpJ,KAAKq7F,aAEjB,CACA,WAAAI,GACE,MAAM7jC,EAAI53D,KAAKi7F,aAAahpF,KAAKumB,GAAMA,EAAE/lB,OAAM/E,QAAO,CAAC8qB,EAAGtuB,IAAMsuB,EAAItuB,GAAG,GAAIo2B,EAAItgC,KAAKi7F,aAAahpF,KAAKumB,GAAMA,EAAEkiE,WAAUhtF,QAAO,CAAC8qB,EAAGtuB,IAAMsuB,EAAItuB,GAAG,GAChJlK,KAAKm7F,WAAavjC,EAAG53D,KAAKo7F,eAAiB96D,EAAyB,IAAtBtgC,KAAKq7F,eAAuBr7F,KAAKq7F,aAAer7F,KAAKk7F,UAAUzoF,KAAO,EAAI,EAAI,EAC9H,CACA,WAAAipF,CAAY9jC,GACV53D,KAAKs7F,WAAW96F,KAAKo3D,EACvB,CAMA,MAAAnW,CAAOmW,EAAGt3B,GACR,MAAM9H,EAAI,GAAGx4B,KAAKyrC,QAAQmsB,EAAE7rD,QAAQ,MAAO,OAASzB,OAAQJ,GAAM,IAAIM,IAAIguB,GAAIh3B,EAAI0I,GAAI,QAAGsuB,EAAEr3B,MAAM+I,EAAExI,SACnGkwB,GAAEyT,MAAM,aAAa/E,EAAEt/B,WAAWQ,KAClC,MAAM6rE,EAAIyS,GAAEx/C,EAAE7tB,MAAOuoD,EAAU,IAANqS,GAAW/sC,EAAE7tB,KAAO46D,GAAKrtE,KAAKg7F,UAAW9yE,EAAI,IAAI0xE,GAAGphE,GAAIwiC,EAAG16B,EAAE7tB,KAAM6tB,GAC5F,OAAOtgC,KAAKi7F,aAAaz6F,KAAK0nB,GAAIloB,KAAKy7F,cAAe,IAAI,GAAGnsF,MAAO7H,EAAGsyE,EAAG91D,KACxE,GAAIA,EAAEiE,EAAE2W,QAASm8B,EAAG,CAClBppC,GAAEyT,MAAM,8BAA+B,CAAEj1B,KAAMkwB,EAAGmhB,OAAQv5B,IAC1D,MAAM+1D,QAAUxkE,GAAG6mB,EAAG,EAAGpY,EAAEzV,MAAO0+D,EAAI7hE,UACpC,IACE4Y,EAAEpf,eAAiByyE,GACjB/5E,EACAy8E,EACA/1D,EAAE69D,QACF,IAAM/lF,KAAKy7F,oBACX,EACA,CACE,aAAcn7D,EAAEq7D,aAAe,IAC/B,eAAgBr7D,EAAEx1B,OAEnBod,EAAEwyE,SAAWxyE,EAAEzV,KAAMzS,KAAKy7F,cAAe7pE,GAAEyT,MAAM,yBAAyB/E,EAAEt/B,OAAQ,CAAEoP,KAAMkwB,EAAGmhB,OAAQv5B,IAAMzgB,EAAEygB,EACpH,CAAE,MAAOtH,GACP,GAAIA,aAAa4/D,GAEf,OADAt4D,EAAE9e,OAASyU,GAAE85D,YAAQoC,EAAE,6BAGzBn5D,GAAG9X,WAAaof,EAAEpf,SAAW8X,EAAE9X,UAAWof,EAAE9e,OAASyU,GAAE85D,OAAQ/lD,GAAE3oB,MAAM,oBAAoBq3B,EAAEt/B,OAAQ,CAAEiI,MAAO2X,EAAGxQ,KAAMkwB,EAAGmhB,OAAQv5B,IAAM6xD,EAAE,4BAC5I,CACA/5E,KAAKs7F,WAAWnqF,SAASyP,IACvB,IACEA,EAAEsH,EACJ,CAAE,MACF,IACA,EAEJloB,KAAKk7F,UAAUtkF,IAAIu6D,GAAInxE,KAAKy7F,aAC9B,KAAO,CACL7pE,GAAEyT,MAAM,8BAA+B,CAAEj1B,KAAMkwB,EAAGmhB,OAAQv5B,IAC1D,MAAM+1D,QA3PN3uE,eAAerK,GACrB,MAAmJiF,EAAI,IAA7I,uBAAG,gBAAe,WAAMm5B,0BAA+B,IAAIzhC,MAAM,KAAKqQ,KAAI,IAAMskB,KAAKkvB,MAAsB,GAAhBlvB,KAAK0vB,UAAev+C,SAAS,MAAKkU,KAAK,MAAwBpa,EAAIyD,EAAI,CAAEy2C,YAAaz2C,QAAM,EACjM,aAAa,IAAEunF,QAAQ,CACrBtmF,OAAQ,QACRoC,IAAK4B,EACLuxC,QAASj6C,IACP0I,CACN,CAoPwB0xF,CAAGp6F,GAAI2vE,EAAI,GAC3B,IAAK,IAAIvwD,EAAI,EAAGA,EAAIsH,EAAEyf,OAAQ/mB,IAAK,CACjC,MAAM65D,EAAI75D,EAAIysD,EAAGsI,EAAIp/C,KAAKuL,IAAI24C,EAAIpN,EAAGnlD,EAAEzV,MAAOskE,EAAI,IAAMt9D,GAAG6mB,EAAGm6C,EAAGpN,GAAIuI,EAAI,IAAM2F,GAC7E,GAAG0C,KAAKr9D,EAAI,IACZm2D,EACA7uD,EAAE69D,QACF,IAAM/lF,KAAKy7F,eACXj6F,EACA,CACE,aAAc8+B,EAAEq7D,aAAe,IAC/B,kBAAmBr7D,EAAE7tB,KACrB,eAAgB,6BAElB+F,MAAK,KACL0P,EAAEwyE,SAAWxyE,EAAEwyE,SAAWrtB,CAAC,IAC1Bv0D,OAAO6gE,IACR,MAAMA,aAAa6G,KAAO5uD,GAAE3oB,MAAM,SAAS2X,EAAI,KAAK65D,OAAO9E,sBAAuBztD,EAAE9e,OAASyU,GAAE85D,QAASgC,CAAC,IAE3GxI,EAAE3wE,KAAKR,KAAKk7F,UAAUtkF,IAAIg/D,GAC5B,CACA,UACQrvE,QAAQ8qC,IAAI8/B,GAAInxE,KAAKy7F,cAAevzE,EAAEpf,eAAiB,IAAE0jF,QAAQ,CACrEtmF,OAAQ,OACRoC,IAAK,GAAG21E,UACRxiC,QAAS,CACPC,YAAal6C,KAEbxB,KAAKy7F,cAAevzE,EAAE9e,OAASyU,GAAE67E,SAAU9nE,GAAEyT,MAAM,yBAAyB/E,EAAEt/B,OAAQ,CAAEoP,KAAMkwB,EAAGmhB,OAAQv5B,IAAMzgB,EAAEygB,EACvH,CAAE,MAAOtH,GACPA,aAAa4/D,IAAMt4D,EAAE9e,OAASyU,GAAE85D,OAAQoC,EAAE,+BAAiC7xD,EAAE9e,OAASyU,GAAE85D,OAAQoC,EAAE,0CAA2C,IAAEyS,QAAQ,CACrJtmF,OAAQ,SACRoC,IAAK,GAAG21E,KAEZ,CACAj+E,KAAKs7F,WAAWnqF,SAASyP,IACvB,IACEA,EAAEsH,EACJ,CAAE,MACF,IAEJ,CACA,OAAOloB,KAAKk7F,UAAU9S,SAAS5vE,MAAK,IAAMxY,KAAKiuC,UAAU/lB,CAAC,GAE9D,EAEF,SAAS6tD,GAAE9wE,EAAG2yD,EAAGt3B,EAAG9H,EAAGtuB,EAAG1I,EAAG6rE,EAAGrS,GAC9B,IAEI53D,EAFA8kB,EAAgB,mBAALjjB,EAAkBA,EAAE6O,QAAU7O,EAG7C,GAFA2yD,IAAM1vC,EAAErE,OAAS+zC,EAAG1vC,EAAE2zE,gBAAkBv7D,EAAGpY,EAAE4zE,WAAY,GAAKtjE,IAAMtQ,EAAExE,YAAa,GAAKliB,IAAM0mB,EAAE6zE,SAAW,UAAYv6F,GAEnH6rE,GAAKjqE,EAAI,SAAS6gB,KACpBA,EAAIA,GACJjkB,KAAK0kB,QAAU1kB,KAAK0kB,OAAOs3E,YAC3Bh8F,KAAKwiB,QAAUxiB,KAAKwiB,OAAOkC,QAAU1kB,KAAKwiB,OAAOkC,OAAOs3E,oBAAyBC,oBAAsB,MAAQh4E,EAAIg4E,qBAAsB/xF,GAAKA,EAAEhJ,KAAKlB,KAAMikB,GAAIA,GAAKA,EAAEi4E,uBAAyBj4E,EAAEi4E,sBAAsBtlF,IAAIy2D,EAC7N,EAAGnlD,EAAEi0E,aAAe/4F,GAAK8G,IAAM9G,EAAI43D,EAAI,WACrC9wD,EAAEhJ,KACAlB,MACCkoB,EAAExE,WAAa1jB,KAAKwiB,OAASxiB,MAAMsgD,MAAMllB,SAASghE,WAEvD,EAAIlyF,GAAI9G,EACN,GAAI8kB,EAAExE,WAAY,CAChBwE,EAAEm0E,cAAgBj5F,EAClB,IAAIqE,EAAIygB,EAAErE,OACVqE,EAAErE,OAAS,SAASo6D,EAAG9M,GACrB,OAAO/tE,EAAElC,KAAKiwE,GAAI1pE,EAAEw2E,EAAG9M,EACzB,CACF,KAAO,CACL,IAAI4I,EAAI7xD,EAAEqT,aACVrT,EAAEqT,aAAew+C,EAAI,GAAG14E,OAAO04E,EAAG32E,GAAK,CAACA,EAC1C,CACF,MAAO,CACLJ,QAASiC,EACT6O,QAASoU,EAEb,CAiCA,MAAMo0E,GAV2BvmB,GAtBtB,CACT/0E,KAAM,aACNg+B,MAAO,CAAC,SACRrb,MAAO,CACLvY,MAAO,CACLN,KAAME,QAERi0B,UAAW,CACTn0B,KAAME,OACN4Y,QAAS,gBAEXnR,KAAM,CACJ3H,KAAMgT,OACN8F,QAAS,OAIN,WACP,IAAIg0C,EAAI53D,KAAMsgC,EAAIs3B,EAAEx4B,MAAMD,GAC1B,OAAOmB,EAAE,OAAQs3B,EAAEv4B,GAAG,CAAEC,YAAa,mCAAoCxZ,MAAO,CAAE,eAAgB8xC,EAAExsD,MAAO,aAAcwsD,EAAExsD,MAAO0uC,KAAM,OAASn3C,GAAI,CAAE0G,MAAO,SAASmvB,GACrK,OAAOo/B,EAAEp4B,MAAM,QAAShH,EAC1B,IAAO,OAAQo/B,EAAEn4B,QAAQ,GAAK,CAACa,EAAE,MAAO,CAAEhB,YAAa,4BAA6BxZ,MAAO,CAAEy2E,KAAM3kC,EAAE34B,UAAWojB,MAAOuV,EAAEnlD,KAAM61C,OAAQsP,EAAEnlD,KAAM+pF,QAAS,cAAiB,CAACl8D,EAAE,OAAQ,CAAExa,MAAO,CAAEk1C,EAAG,2OAA8O,CAACpD,EAAExsD,MAAQk1B,EAAE,QAAS,CAACs3B,EAAEl4B,GAAGk4B,EAAElnD,GAAGknD,EAAExsD,UAAYwsD,EAAEn+C,UACne,GAAQ,IAIN,EACA,KACA,KACA,KACA,MAEYzW,QAgCR6yE,GAV2BE,GAtBL,CAC1B/0E,KAAM,WACNg+B,MAAO,CAAC,SACRrb,MAAO,CACLvY,MAAO,CACLN,KAAME,QAERi0B,UAAW,CACTn0B,KAAME,OACN4Y,QAAS,gBAEXnR,KAAM,CACJ3H,KAAMgT,OACN8F,QAAS,OAIN,WACP,IAAIg0C,EAAI53D,KAAMsgC,EAAIs3B,EAAEx4B,MAAMD,GAC1B,OAAOmB,EAAE,OAAQs3B,EAAEv4B,GAAG,CAAEC,YAAa,iCAAkCxZ,MAAO,CAAE,eAAgB8xC,EAAExsD,MAAO,aAAcwsD,EAAExsD,MAAO0uC,KAAM,OAASn3C,GAAI,CAAE0G,MAAO,SAASmvB,GACnK,OAAOo/B,EAAEp4B,MAAM,QAAShH,EAC1B,IAAO,OAAQo/B,EAAEn4B,QAAQ,GAAK,CAACa,EAAE,MAAO,CAAEhB,YAAa,4BAA6BxZ,MAAO,CAAEy2E,KAAM3kC,EAAE34B,UAAWojB,MAAOuV,EAAEnlD,KAAM61C,OAAQsP,EAAEnlD,KAAM+pF,QAAS,cAAiB,CAACl8D,EAAE,OAAQ,CAAExa,MAAO,CAAEk1C,EAAG,8CAAiD,CAACpD,EAAExsD,MAAQk1B,EAAE,QAAS,CAACs3B,EAAEl4B,GAAGk4B,EAAElnD,GAAGknD,EAAExsD,UAAYwsD,EAAEn+C,UACtS,GAAQ,IAIN,EACA,KACA,KACA,KACA,MAEYzW,QAgCRy5F,GAV2B1mB,GAtBL,CAC1B/0E,KAAM,aACNg+B,MAAO,CAAC,SACRrb,MAAO,CACLvY,MAAO,CACLN,KAAME,QAERi0B,UAAW,CACTn0B,KAAME,OACN4Y,QAAS,gBAEXnR,KAAM,CACJ3H,KAAMgT,OACN8F,QAAS,OAIN,WACP,IAAIg0C,EAAI53D,KAAMsgC,EAAIs3B,EAAEx4B,MAAMD,GAC1B,OAAOmB,EAAE,OAAQs3B,EAAEv4B,GAAG,CAAEC,YAAa,mCAAoCxZ,MAAO,CAAE,eAAgB8xC,EAAExsD,MAAO,aAAcwsD,EAAExsD,MAAO0uC,KAAM,OAASn3C,GAAI,CAAE0G,MAAO,SAASmvB,GACrK,OAAOo/B,EAAEp4B,MAAM,QAAShH,EAC1B,IAAO,OAAQo/B,EAAEn4B,QAAQ,GAAK,CAACa,EAAE,MAAO,CAAEhB,YAAa,4BAA6BxZ,MAAO,CAAEy2E,KAAM3kC,EAAE34B,UAAWojB,MAAOuV,EAAEnlD,KAAM61C,OAAQsP,EAAEnlD,KAAM+pF,QAAS,cAAiB,CAACl8D,EAAE,OAAQ,CAAExa,MAAO,CAAEk1C,EAAG,mDAAsD,CAACpD,EAAExsD,MAAQk1B,EAAE,QAAS,CAACs3B,EAAEl4B,GAAGk4B,EAAElnD,GAAGknD,EAAExsD,UAAYwsD,EAAEn+C,UAC3S,GAAQ,IAIN,EACA,KACA,KACA,KACA,MAEYzW,QAuBR05F,IAAK,SAAKC,eAChB,CAAC,CAAEC,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kEAAmE,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,kCAAmC,gBAAiB,+DAAgE,eAAgB,4BAA6BshD,SAAU,KAAM,eAAgB,mHAAqHC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,oGAI9+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,oBAAsB,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,6BAA+BtJ,SAAU,CAAEmJ,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,8BAAgCK,IAAK,CAAER,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,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,wCAA0C,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,+DAAqE,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iFAAkF,eAAgB,4BAA6BshD,SAAU,QAAS,eAAgB,qHAAuHC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGz3GC,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kEAAmE,eAAgB,4BAA6BshD,SAAU,MAAO,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGv5BC,OAAQ,CAAC,kOAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,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,QAASrhD,QAAS,CAAE,kBAAmB,iDAAkD,gBAAiB,oEAAqE,eAAgB,4BAA6BshD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,oEAG/6BC,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,mEAAoE,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gFAAiF,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gFAAiF,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+DAAgE,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,qDAAsD,gBAAiB,gEAAiE,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,gDAAiD,gBAAiB,8DAA+D,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,gDAAiD,gBAAiB,kFAAmF,eAAgB,4BAA6BshD,SAAU,QAAS,eAAgB,gHAAkHC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,kHAI1iCC,OAAQ,CAAC,2VAKR,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,yBAA2B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,qBAAuBtJ,SAAU,CAAEmJ,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,kCAAoCK,IAAK,CAAER,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,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,uCAAyC,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,2FAAiG,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kFAAmF,eAAgB,4BAA6BshD,SAAU,QAAS,eAAgB,6EAA+EC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGpwGC,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,QAASrhD,QAAS,CAAE,kBAAmB,gDAAiD,gBAAiB,+DAAgE,eAAgB,4BAA6BshD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,iIAKz6BC,OAAQ,CAAC,qPAKR,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,4BAA8B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,qBAAuBtJ,SAAU,CAAEmJ,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,oCAAsCK,IAAK,CAAER,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,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,uCAAyC,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,sEAA4E,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASrhD,QAAS,CAAE,kBAAmB,+CAAgD,gBAAiB,+DAAgE,eAAgB,4BAA6BshD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,wIAK1gGC,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,2BAA6B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,wBAA0BtJ,SAAU,CAAEmJ,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,8CAAgDK,IAAK,CAAER,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,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,yCAA2C,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,iFAAuF,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASrhD,QAAS,CAAE,kBAAmB,+CAAgD,gBAAiB,4EAA6E,eAAgB,4BAA6BshD,SAAU,QAAS,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,kKAK9mGC,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,iCAAmC,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,wBAA0BtJ,SAAU,CAAEmJ,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,yCAA2CK,IAAK,CAAER,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,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,yCAA2C,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,mFAAyF,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASrhD,QAAS,CAAE,kBAAmB,gBAAiB,gBAAiB,8DAA+D,eAAgB,4BAA6BshD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,mCAGhkGC,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,0EAA2E,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yCAA0C,gBAAiB,oFAAqF,eAAgB,4BAA6BshD,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,mBAAqBtJ,SAAU,CAAEmJ,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kEAAmE,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,oDAAqD,gBAAiB,gEAAiE,eAAgB,4BAA6BshD,SAAU,KAAM,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,gKAKr9BC,OAAQ,CAAC,iSAKR,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,qBAAuBtJ,SAAU,CAAEmJ,MAAO,WAAYG,OAAQ,CAAC,cAAgB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,mCAAqC,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,sBAAwB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,4FAA8F,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,6CAA+CK,IAAK,CAAER,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,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,mCAAqC,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,8EAAoF,CAAER,OAAQ,SAAUC,KAAM,CAAEC,QAAS,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,oFAAqF,eAAgB,4BAA6BshD,SAAU,SAAU,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGxwGC,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,QAASrhD,QAAS,CAAE,kBAAmB,wBAAyB,gBAAiB,+EAAgF,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,2EAA4E,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8EAA+E,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gFAAiF,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,wFAAyF,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,6EAA8E,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+EAAgF,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8EAA+E,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,4EAA6E,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+EAAgF,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,4EAA6E,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,0EAA2E,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iFAAkF,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8EAA+E,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iFAAkF,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,6EAA8E,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,mBAAoB,gBAAiB,8EAA+E,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,oDAAqD,gBAAiB,+DAAgE,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,wBAAyB,gBAAiB,gEAAiE,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,6CAA8C,gBAAiB,6EAA8E,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,gDAAiD,gBAAiB,+DAAgE,eAAgB,4BAA6BshD,SAAU,KAAM,eAAgB,mFAAqFC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,iJAK59BC,OAAQ,CAAC,wSAKR,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,gCAAkC,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,uBAAyBtJ,SAAU,CAAEmJ,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,uFAAyF,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,2CAA6CK,IAAK,CAAER,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,mBAAqB,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,kCAAoC,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,iBAAmB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,4BAA8B,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,8CAAgD,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,uFAA6F,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,yEAA0E,eAAgB,4BAA6BshD,SAAU,KAAM,eAAgB,6FAA+FC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG1wGC,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,QAASrhD,QAAS,CAAE,kBAAmB,iDAAkD,gBAAiB,iEAAkE,eAAgB,4BAA6BshD,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,oBAAsBtJ,SAAU,CAAEmJ,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,4CAA8CK,IAAK,CAAER,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+DAAgE,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,yEAA0E,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iEAAkE,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,uEAAwE,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kEAAmE,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,kBAAmB,gBAAiB,+EAAgF,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iEAAkE,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,oEAAqE,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,oCAAqC,gBAAiB,mEAAoE,eAAgB,4BAA6BshD,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,sBAAwBtJ,SAAU,CAAEmJ,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,+CAAiDK,IAAK,CAAER,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,6DAA8D,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yCAA0C,gBAAiB,kEAAmE,eAAgB,4BAA6BshD,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,2BAA6BtJ,SAAU,CAAEmJ,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,0CAA4CK,IAAK,CAAER,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,QAASrhD,QAAS,CAAE,kBAAmB,iBAAkB,gBAAiB,gEAAiE,eAAgB,4BAA6BshD,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,0BAA4BtJ,SAAU,CAAEmJ,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,gCAAkCK,IAAK,CAAER,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,2EAA4E,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,aAAc,gBAAiB,4EAA6E,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iEAAkE,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8EAA+E,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,gBAAiB,gBAAiB,gEAAiE,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+DAAgE,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8DAA+D,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,oBAAqB,gBAAiB,+DAAgE,eAAgB,4BAA6BshD,SAAU,KAAM,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,uCAGt4BC,OAAQ,CAAC,kNAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,iBAAmB,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,WAAa,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,cAAgBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,UAAY,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,eAAqB,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8DAA+D,eAAgB,4BAA6BshD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG/6BC,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,sEAAuE,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,4DAA6D,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kFAAmF,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,8CAA+C,gBAAiB,mEAAoE,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,0BAA2B,gBAAiB,kEAAmE,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,4EAA6E,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,sCAAuC,gBAAiB,qFAAsF,eAAgB,4BAA6BshD,SAAU,QAAS,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,yDAG37BC,OAAQ,CAAC,oQAKR,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,2BAA6BC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,aAAe,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,yBAA2B,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,wBAA0BE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,WAAa,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,uBAA6B,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+DAAgE,eAAgB,4BAA6BshD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGx/BC,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,QAASrhD,QAAS,CAAE,kBAAmB,uCAAwC,gBAAiB,8DAA+D,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,0EAA2E,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,sFAAuF,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,4EAA6E,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,2BAA4B,gBAAiB,+DAAgE,eAAgB,4BAA6BshD,SAAU,KAAM,eAAgB,kLAAoLC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,6FAItiCC,OAAQ,CAAC,kXAKR,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,qBAAuBtJ,SAAU,CAAEmJ,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,wCAA0CK,IAAK,CAAER,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,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,gCAAkC,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,+EAAqF,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+DAAgE,eAAgB,4BAA6BshD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG/rGC,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,QAASrhD,QAAS,CAAE,kBAAmB,0CAA2C,gBAAiB,+EAAgF,eAAgB,4BAA6BshD,SAAU,QAAS,eAAgB,mFAAqFC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4JAK5+BC,OAAQ,CAAC,qTAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,iCAAmC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,oBAAsB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,8BAAgCC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,cAAgB,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,qBAAuB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,6BAA+BE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,YAAc,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,wBAA8B,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASrhD,QAAS,CAAE,kBAAmB,sCAAuC,gBAAiB,iFAAkF,eAAgB,4BAA6BshD,SAAU,QAAS,eAAgB,mFAAqFC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,yDAG9lCC,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,QAASrhD,QAAS,CAAE,kBAAmB,qDAAsD,gBAAiB,iEAAkE,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,kBAAmB,gBAAiB,gEAAiE,eAAgB,4BAA6BshD,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,sBAAwBtJ,SAAU,CAAEmJ,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,4EAA6E,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kEAAmE,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+EAAgF,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,6EAA8E,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,0BAA2B,gBAAiB,kEAAmE,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gFAAiF,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iEAAkE,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,mBAAoB,gBAAiB,gEAAiE,eAAgB,4BAA6BshD,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,uBAAyBtJ,SAAU,CAAEmJ,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,sCAAwCK,IAAK,CAAER,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,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,qCAAuC,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,2EAAiF,CAAER,OAAQ,WAAYC,KAAM,CAAEC,QAAS,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8EAA+E,eAAgB,4BAA6BshD,SAAU,WAAY,eAAgB,0GAA4GC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGjsGC,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,QAASrhD,QAAS,CAAE,kBAAmB,uBAAwB,gBAAiB,gEAAiE,eAAgB,4BAA6BshD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,yFAIj5BC,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,wBAA0B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,yBAA2BtJ,SAAU,CAAEmJ,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,gCAAkCK,IAAK,CAAER,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,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,iCAAmC,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,wEAA8E,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6BshD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGz+FC,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8DAA+D,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,6EAA8E,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,6DAA8D,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,oDAAqD,gBAAiB,2EAA4E,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,yCAA0C,gBAAiB,gEAAiE,eAAgB,4BAA6BshD,SAAU,KAAM,eAAgB,+BAAiCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,2GAIl6BC,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,yBAA2B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,yBAA2BtJ,SAAU,CAAEmJ,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,uCAAyCK,IAAK,CAAER,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,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,yCAA2C,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,qEAA2E,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+DAAgE,eAAgB,4BAA6BshD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGx/FC,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,QAASrhD,QAAS,CAAE,kBAAmB,2CAA4C,gBAAiB,kEAAmE,eAAgB,4BAA6BshD,SAAU,KAAM,eAAgB,8PAAgQC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,8HAKroCC,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+B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,2BAA6BtJ,SAAU,CAAEmJ,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,+FAAiG,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,kCAAoCK,IAAK,CAAER,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,4BAA8B,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,qBAAuB,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,wBAA0B,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,kFAAwF,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,2EAA4E,eAAgB,4BAA6BshD,SAAU,QAAS,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGjwGC,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,QAASrhD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8DAA+D,eAAgB,4BAA6BshD,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,QAASrhD,QAAS,CAAE,kBAAmB,gBAAiB,gBAAiB,mEAAoE,eAAgB,4BAA6BshD,SAAU,KAAM,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,mCAGt4BC,OAAQ,CAAC,kNAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,sBAAwB,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,mBAAqB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,yBAA2BC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,SAAW,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,gBAAkB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,8BAAgCE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,gBAAkB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,wBAA8B,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASrhD,QAAS,CAAE,kBAAmB,oBAAqB,gBAAiB,2EAA4E,eAAgB,4BAA6BshD,SAAU,QAAS,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,sFAIt/BC,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,SAAWtJ,SAAU,CAAEmJ,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,QAASrhD,QAAS,CAAE,kBAAmB,mBAAoB,gBAAiB,+EAAgF,eAAgB,4BAA6BshD,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,SAAWtJ,SAAU,CAAEmJ,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,QAASrhD,QAAS,CAAE,kBAAmB,iCAAkC,gBAAiB,4EAA6E,eAAgB,4BAA6BshD,SAAU,QAAS,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,mGAIzjFC,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,SAAWC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,OAAS,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,SAAWtJ,SAAU,CAAEmJ,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,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,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,cAAgB,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,+BAAoCnrF,KAAKhN,GAAMy3F,GAAGgB,eAAez4F,EAAE23F,OAAQ33F,EAAE43F,QAChvE,MAAMhmB,GAAI6lB,GAAG/+D,QAASggE,GAAK9mB,GAAE+mB,SAASxpF,KAAKyiE,IAAI5kD,GAAI4kD,GAAEgnB,QAAQzpF,KAAKyiE,IAAIinB,GAAK,UAAGr9E,OAAO,CACnFzf,KAAM,eACNya,WAAY,CACV61B,OAAQgrD,GACRjmD,eAAgB,IAChBC,UAAW,IACXsN,SAAU,IACVpf,iBAAkB,IAClB3E,cAAe,IACfk+D,KAAMloB,GACNmoB,OAAQvB,IAEV94E,MAAO,CACL3T,OAAQ,CACNlF,KAAMlJ,MACNgiB,QAAS,MAEXq6E,SAAU,CACRnzF,KAAMwU,QACNsE,SAAS,GAEXs6E,SAAU,CACRpzF,KAAMwU,QACNsE,SAAS,GAEXkvB,YAAa,CACXhoC,KAAM,KACN8Y,aAAS,GAKXswD,QAAS,CACPppE,KAAMlJ,MACNgiB,QAAS,IAAM,KAGnB9e,KAAI,KACK,CACLq5F,SAAUlsE,GAAE,OACZmsE,YAAansE,GAAE,kBACfosE,YAAapsE,GAAE,gBACfqsE,cAAersE,GAAE,mBACjBssE,eAAgB,wBAAwBhoE,KAAK0vB,SAASv+C,SAAS,IAAIvG,MAAM,KACzEq9F,IAAK,KACLC,SAAU,GACVC,mBAAoB,GACpBC,cAAeC,OAGnB1jF,SAAU,CACR,cAAA2jF,GACE,OAAO7+F,KAAK2+F,cAAcnpF,MAAM/C,MAAQ,CAC1C,EACA,iBAAAqsF,GACE,OAAO9+F,KAAK2+F,cAAcnpF,MAAMmmD,UAAY,CAC9C,EACA,QAAAA,GACE,OAAOplC,KAAKmpB,MAAM1/C,KAAK8+F,kBAAoB9+F,KAAK6+F,eAAiB,MAAQ,CAC3E,EACA,KAAA7qE,GACE,OAAOh0B,KAAK2+F,cAAc3qE,KAC5B,EACA,UAAA+qE,GACE,OAAmE,IAA5D/+F,KAAKg0B,OAAOhiB,QAAQ/M,GAAMA,EAAEmE,SAAWyU,GAAE85D,SAAQj2E,MAC1D,EACA,WAAAs9F,GACE,OAAOh/F,KAAKg0B,OAAOtyB,OAAS,CAC9B,EACA,YAAAu9F,GACE,OAAuE,IAAhEj/F,KAAKg0B,OAAOhiB,QAAQ/M,GAAMA,EAAEmE,SAAWyU,GAAE47E,aAAY/3F,MAC9D,EACA,QAAA4mF,GACE,OAAOtoF,KAAK2+F,cAAcnpF,MAAMpM,SAAWwxF,GAAGE,MAChD,EAEA,UAAAoE,GACE,IAAKl/F,KAAKg/F,YACR,OAAOh/F,KAAKm+F,QAChB,GAEFrpF,MAAO,CACL,WAAAg+B,CAAY7tC,GACVjF,KAAKm/F,eAAel6F,EACtB,EACA,cAAA45F,CAAe55F,GACbjF,KAAKw+F,IAAM,EAAG,CAAE18D,IAAK,EAAGxL,IAAKrxB,IAAMjF,KAAKo/F,cAC1C,EACA,iBAAAN,CAAkB75F,GAChBjF,KAAKw+F,KAAK9iC,SAASz2D,GAAIjF,KAAKo/F,cAC9B,EACA,QAAA9W,CAASrjF,GACPA,EAAIjF,KAAKw/B,MAAM,SAAUx/B,KAAKg0B,OAASh0B,KAAKw/B,MAAM,UAAWx/B,KAAKg0B,MACpE,GAEF,WAAAwM,GACExgC,KAAK8yC,aAAe9yC,KAAKm/F,eAAen/F,KAAK8yC,aAAc9yC,KAAK2+F,cAAcjD,YAAY17F,KAAKq/F,oBAAqBztE,GAAEyT,MAAM,2BAC9H,EACAvE,QAAS,CAIP,OAAAkO,GACEhvC,KAAKmwC,MAAMn0B,MAAM3S,OACnB,EAIA,YAAMi2F,GACJ,IAAIr6F,EAAI,IAAIjF,KAAKmwC,MAAMn0B,MAAM7L,OAC7B,GAgHN,SAAYlL,EAAG2yD,GACb,MAAMt3B,EAAIs3B,EAAE3lD,KAAK/H,GAAMA,EAAE6kC,WACzB,OAAO9pC,EAAE+M,QAAQ9H,IACf,MAAM1I,EAAI0I,aAAaulC,KAAOvlC,EAAElJ,KAAOkJ,EAAE6kC,SACzC,OAAyB,IAAlBzO,EAAEpqB,QAAQ1U,EAAS,IACzBE,OAAS,CACd,CAtHUiB,CAAGsC,EAAGjF,KAAKk0E,SAAU,CACvB,MAAMtc,EAAI3yD,EAAE+M,QAAQwmB,GAAMx4B,KAAKk0E,QAAQpvC,MAAM56B,GAAMA,EAAE6kC,WAAavW,EAAEx3B,SAAOgR,OAAOsN,SAAUghB,EAAIr7B,EAAE+M,QAAQwmB,IAAOo/B,EAAEvxD,SAASmyB,KAC5H,IACE,MAAQoV,SAAUpV,EAAG+mE,QAASr1F,SA4FxCoF,eAAkBrK,EAAG2yD,EAAGt3B,GACtB,MAAQ1c,QAAS4U,SAAY,gCAC7B,OAAO,IAAIjyB,SAAQ,CAAC2D,EAAG1I,KACrB,MAAM6rE,EAAI,IAAI70C,EAAE,CACdgnE,UAAW,CACTjyD,QAAStoC,EACTw6F,UAAW7nC,EACXsc,QAAS5zC,KAGb+sC,EAAEx8B,IAAI,UAAWmqB,IACf9wD,EAAE8wD,GAAIqS,EAAEqyB,WAAYryB,EAAErrC,KAAKuO,YAAYsqB,YAAYwS,EAAErrC,IAAI,IACvDqrC,EAAEx8B,IAAI,UAAWmqB,IACnBx5D,EAAEw5D,GAAK,IAAIlvD,MAAM,aAAcuhE,EAAEqyB,WAAYryB,EAAErrC,KAAKuO,YAAYsqB,YAAYwS,EAAErrC,IAAI,IAChFqrC,EAAEz8B,SAAUnnC,SAAS4B,KAAK42B,YAAYorC,EAAErrC,IAAI,GAEpD,CA5GoD29D,CAAG3/F,KAAK8yC,YAAY/D,SAAU6oB,EAAG53D,KAAKk0E,SAChFjvE,EAAI,IAAIq7B,KAAM9H,KAAMtuB,EACtB,CAAE,MAEA,YADA,QAAG+nB,GAAE,oBAEP,CACF,CACAhtB,EAAEkM,SAASymD,IACT53D,KAAK2+F,cAAcl9C,OAAOmW,EAAE52D,KAAM42D,GAAG9+C,OAAM,QACzC,IACA9Y,KAAKmwC,MAAMyvD,KAAK3xD,OACtB,EAIA,QAAA82C,GACE/kF,KAAK2+F,cAAc3qE,MAAM7iB,SAASlM,IAChCA,EAAE45B,QAAQ,IACR7+B,KAAKmwC,MAAMyvD,KAAK3xD,OACtB,EACA,YAAAmxD,GACE,GAAIp/F,KAAKsoF,SAEP,YADAtoF,KAAKy+F,SAAWxsE,GAAE,WAGpB,MAAMhtB,EAAIsxB,KAAKmpB,MAAM1/C,KAAKw+F,IAAIziC,YAC9B,GAAI92D,IAAM,IAIV,GAAIA,EAAI,GACNjF,KAAKy+F,SAAWxsE,GAAE,2BAGpB,GAAIhtB,EAAI,GAAR,CACE,MAAM2yD,EAAoB,IAAIhyD,KAAK,GACnCgyD,EAAEioC,WAAW56F,GACb,MAAMq7B,EAAIs3B,EAAEy1B,cAAclsF,MAAM,GAAI,IACpCnB,KAAKy+F,SAAWxsE,GAAE,cAAe,CAAEtd,KAAM2rB,GAE3C,MACAtgC,KAAKy+F,SAAWxsE,GAAE,yBAA0B,CAAE6tE,QAAS76F,SAdrDjF,KAAKy+F,SAAWxsE,GAAE,uBAetB,EACA,cAAAktE,CAAel6F,GACRjF,KAAK8yC,aAIVlhB,GAAEyT,MAAM,kBAAmB,CAAEyN,YAAa7tC,IAAMjF,KAAK2+F,cAAc7rD,YAAc7tC,EAAGjF,KAAK0+F,oBAAqB,QAAGz5F,IAH/G2sB,GAAEyT,MAAM,sBAIZ,EACA,kBAAAg6D,CAAmBp6F,GACjBA,EAAEmE,SAAWyU,GAAE85D,OAAS33E,KAAKw/B,MAAM,SAAUv6B,GAAKjF,KAAKw/B,MAAM,WAAYv6B,EAC3E,KA8BE86F,GAV2BhqB,GAC/B+nB,IAlBO,WACP,IAAIlmC,EAAI53D,KAAMsgC,EAAIs3B,EAAEx4B,MAAMD,GAC1B,OAAOy4B,EAAEx4B,MAAMgQ,YAAawoB,EAAE9kB,YAAcxS,EAAE,OAAQ,CAAEroB,IAAK,OAAQqnB,YAAa,gBAAiBtT,MAAO,CAAE,2BAA4B4rC,EAAEonC,YAAa,wBAAyBpnC,EAAE0wB,UAAYxiE,MAAO,CAAE,wBAAyB,KAAQ,CAAC8xC,EAAE8mC,oBAAsD,IAAhC9mC,EAAE8mC,mBAAmBh9F,OAAe4+B,EAAE,WAAY,CAAExa,MAAO,CAAEm4E,SAAUrmC,EAAEqmC,SAAU,4BAA6B,GAAInzF,KAAM,aAAenI,GAAI,CAAE0G,MAAOuuD,EAAE5oB,SAAW7K,YAAayzB,EAAExzB,GAAG,CAAC,CAAEv3B,IAAK,OAAQhN,GAAI,WACxc,MAAO,CAACygC,EAAE,OAAQ,CAAExa,MAAO,CAAE1a,MAAO,GAAIqH,KAAM,GAAIutF,WAAY,MAChE,EAAG/4F,OAAO,IAAO,MAAM,EAAI,aAAe,CAAC2wD,EAAEl4B,GAAG,IAAMk4B,EAAElnD,GAAGknD,EAAEsnC,YAAc,OAAS5+D,EAAE,YAAa,CAAExa,MAAO,CAAE,YAAa8xC,EAAEsnC,WAAY,aAActnC,EAAEumC,SAAUrzF,KAAM,aAAeq5B,YAAayzB,EAAExzB,GAAG,CAAC,CAAEv3B,IAAK,OAAQhN,GAAI,WAC5N,MAAO,CAACygC,EAAE,OAAQ,CAAExa,MAAO,CAAE1a,MAAO,GAAIqH,KAAM,GAAIutF,WAAY,MAChE,EAAG/4F,OAAO,IAAO,MAAM,EAAI,aAAe,CAACq5B,EAAE,iBAAkB,CAAExa,MAAO,CAAE,4BAA6B,GAAI,qBAAqB,GAAMnjB,GAAI,CAAE0G,MAAOuuD,EAAE5oB,SAAW7K,YAAayzB,EAAExzB,GAAG,CAAC,CAAEv3B,IAAK,OAAQhN,GAAI,WACpM,MAAO,CAACygC,EAAE,SAAU,CAAExa,MAAO,CAAE1a,MAAO,GAAIqH,KAAM,GAAIutF,WAAY,MAClE,EAAG/4F,OAAO,IAAO,MAAM,EAAI,aAAe,CAAC2wD,EAAEl4B,GAAG,IAAMk4B,EAAElnD,GAAGknD,EAAEymC,aAAe,OAAQzmC,EAAE1zB,GAAG0zB,EAAE8mC,oBAAoB,SAASlmE,GACtH,OAAO8H,EAAE,iBAAkB,CAAEzzB,IAAK2rB,EAAEn0B,GAAIi7B,YAAa,4BAA6BxZ,MAAO,CAAE5W,KAAMspB,EAAE4N,UAAW,qBAAqB,GAAMzjC,GAAI,CAAE0G,MAAO,SAASa,GAC7J,OAAOsuB,EAAE1M,QAAQ8rC,EAAE9kB,YAAa8kB,EAAEsc,QACpC,GAAK/vC,YAAayzB,EAAExzB,GAAG,CAAC5L,EAAE6S,cAAgB,CAAEx+B,IAAK,OAAQhN,GAAI,WAC3D,MAAO,CAACygC,EAAE,mBAAoB,CAAExa,MAAO,CAAEm6E,IAAKznE,EAAE6S,iBAClD,EAAGpkC,OAAO,GAAO,MAAO,MAAM,IAAO,CAAC2wD,EAAEl4B,GAAG,IAAMk4B,EAAElnD,GAAG8nB,EAAE4S,aAAe,MACzE,KAAK,GAAI9K,EAAE,MAAO,CAAEsb,WAAY,CAAC,CAAE56C,KAAM,OAAQ66C,QAAS,SAAUx2C,MAAOuyD,EAAEonC,YAAaljD,WAAY,gBAAkBxc,YAAa,2BAA6B,CAACgB,EAAE,gBAAiB,CAAExa,MAAO,CAAE,aAAc8xC,EAAE0mC,cAAe,mBAAoB1mC,EAAE2mC,eAAgBt1F,MAAO2uD,EAAEmnC,WAAY15F,MAAOuyD,EAAE+D,SAAUlpD,KAAM,YAAe6tB,EAAE,IAAK,CAAExa,MAAO,CAAEzhB,GAAIuzD,EAAE2mC,iBAAoB,CAAC3mC,EAAEl4B,GAAGk4B,EAAElnD,GAAGknD,EAAE6mC,cAAe,GAAI7mC,EAAEonC,YAAc1+D,EAAE,WAAY,CAAEhB,YAAa,wBAAyBxZ,MAAO,CAAEhb,KAAM,WAAY,aAAc8sD,EAAEwmC,YAAa,+BAAgC,IAAMz7F,GAAI,CAAE0G,MAAOuuD,EAAEmtB,UAAY5gD,YAAayzB,EAAExzB,GAAG,CAAC,CAAEv3B,IAAK,OAAQhN,GAAI,WAClnB,MAAO,CAACygC,EAAE,SAAU,CAAExa,MAAO,CAAE1a,MAAO,GAAIqH,KAAM,MAClD,EAAGxL,OAAO,IAAO,MAAM,EAAI,cAAiB2wD,EAAEn+C,KAAM6mB,EAAE,QAAS,CAAEsb,WAAY,CAAC,CAAE56C,KAAM,OAAQ66C,QAAS,SAAUx2C,OAAO,EAAIy2C,WAAY,UAAY7jC,IAAK,QAAS6N,MAAO,CAAEhb,KAAM,OAAQkF,OAAQ4nD,EAAE5nD,QAAQ4L,OAAO,MAAOsiF,SAAUtmC,EAAEsmC,SAAU,8BAA+B,IAAMv7F,GAAI,CAAEu9F,OAAQtoC,EAAE0nC,WAAc,GAAK1nC,EAAEn+C,IAC3T,GAAQ,IAIN,EACA,KACA,WACA,KACA,MAEYzW,QACd,IAAI60E,GAAI,KACR,SAAS+mB,KACP,MAAM35F,EAAoE,OAAhEwE,SAAS8oB,cAAc,qCACjC,OAAOslD,cAAayF,KAAOzF,GAAI,IAAIyF,GAAGr4E,IAAK4yE,EAC7C,IE3hGIsoB,EAA2B,CAAC,EAGhC,SAASxwC,EAAoBywC,GAE5B,IAAIC,EAAeF,EAAyBC,GAC5C,QAAqB59F,IAAjB69F,EACH,OAAOA,EAAar9F,QAGrB,IAAID,EAASo9F,EAAyBC,GAAY,CACjD/7F,GAAI+7F,EACJvP,QAAQ,EACR7tF,QAAS,CAAC,GAUX,OANAs9F,EAAoBF,GAAUl/F,KAAK6B,EAAOC,QAASD,EAAQA,EAAOC,QAAS2sD,GAG3E5sD,EAAO8tF,QAAS,EAGT9tF,EAAOC,OACf,CAGA2sD,EAAoBznC,EAAIo4E,E5R5BpBnhG,EAAW,GACfwwD,EAAoBgqB,EAAI,CAAC9tE,EAAQ00F,EAAU1gG,EAAIqmF,KAC9C,IAAGqa,EAAH,CAMA,IAAIC,EAAexkC,IACnB,IAASx6D,EAAI,EAAGA,EAAIrC,EAASuC,OAAQF,IAAK,CACrC++F,EAAWphG,EAASqC,GAAG,GACvB3B,EAAKV,EAASqC,GAAG,GACjB0kF,EAAW/mF,EAASqC,GAAG,GAE3B,IAJA,IAGIssF,GAAY,EACPprF,EAAI,EAAGA,EAAI69F,EAAS7+F,OAAQgB,MACpB,EAAXwjF,GAAsBsa,GAAgBta,IAAa3mF,OAAO6G,KAAKupD,EAAoBgqB,GAAG52D,OAAOlW,GAAS8iD,EAAoBgqB,EAAE9sE,GAAK0zF,EAAS79F,MAC9I69F,EAASpqF,OAAOzT,IAAK,IAErBorF,GAAY,EACT5H,EAAWsa,IAAcA,EAAeta,IAG7C,GAAG4H,EAAW,CACb3uF,EAASgX,OAAO3U,IAAK,GACrB,IAAI6rE,EAAIxtE,SACE2C,IAAN6qE,IAAiBxhE,EAASwhE,EAC/B,CACD,CACA,OAAOxhE,CArBP,CAJCq6E,EAAWA,GAAY,EACvB,IAAI,IAAI1kF,EAAIrC,EAASuC,OAAQF,EAAI,GAAKrC,EAASqC,EAAI,GAAG,GAAK0kF,EAAU1kF,IAAKrC,EAASqC,GAAKrC,EAASqC,EAAI,GACrGrC,EAASqC,GAAK,CAAC++F,EAAU1gG,EAAIqmF,EAuBjB,E6R3Bdv2B,EAAoBn3B,EAAKz1B,IACxB,IAAI09F,EAAS19F,GAAUA,EAAOm0B,WAC7B,IAAOn0B,EAAiB,QACxB,IAAM,EAEP,OADA4sD,EAAoBqL,EAAEylC,EAAQ,CAAEv2F,EAAGu2F,IAC5BA,CAAM,ECLd9wC,EAAoBqL,EAAI,CAACh4D,EAAS09F,KACjC,IAAI,IAAI7zF,KAAO6zF,EACX/wC,EAAoBloD,EAAEi5F,EAAY7zF,KAAS8iD,EAAoBloD,EAAEzE,EAAS6J,IAC5EtN,OAAOua,eAAe9W,EAAS6J,EAAK,CAAEqN,YAAY,EAAMnU,IAAK26F,EAAW7zF,IAE1E,ECND8iD,EAAoBoqB,EAAI,CAAC,EAGzBpqB,EAAoB1qD,EAAK07F,GACjBp6F,QAAQ8qC,IAAI9xC,OAAO6G,KAAKupD,EAAoBoqB,GAAGrsE,QAAO,CAAC8nC,EAAU3oC,KACvE8iD,EAAoBoqB,EAAEltE,GAAK8zF,EAASnrD,GAC7BA,IACL,KCNJma,EAAoBwhB,EAAKwvB,GAEZA,EAAU,IAAMA,EAAU,SAAW,CAAC,KAAO,uBAAuB,KAAO,uBAAuB,KAAO,wBAAwBA,GCH9IhxC,EAAoBvsD,EAAI,WACvB,GAA0B,iBAAf+E,WAAyB,OAAOA,WAC3C,IACC,OAAOnI,MAAQ,IAAI+hC,SAAS,cAAb,EAChB,CAAE,MAAO98B,GACR,GAAsB,iBAAX9B,OAAqB,OAAOA,MACxC,CACA,CAPuB,GCAxBwsD,EAAoBloD,EAAI,CAACmS,EAAK3T,IAAU1G,OAAOC,UAAUC,eAAeyB,KAAK0Y,EAAK3T,GjSA9E7G,EAAa,CAAC,EACdC,EAAoB,aAExBswD,EAAoBluD,EAAI,CAAC6G,EAAKgjF,EAAMz+E,EAAK8zF,KACxC,GAAGvhG,EAAWkJ,GAAQlJ,EAAWkJ,GAAK9H,KAAK8qF,OAA3C,CACA,IAAI34B,EAAQiuC,EACZ,QAAWp+F,IAARqK,EAEF,IADA,IAAIg0F,EAAUp3F,SAASigE,qBAAqB,UACpCloE,EAAI,EAAGA,EAAIq/F,EAAQn/F,OAAQF,IAAK,CACvC,IAAIo2D,EAAIipC,EAAQr/F,GAChB,GAAGo2D,EAAEvqC,aAAa,QAAU/kB,GAAOsvD,EAAEvqC,aAAa,iBAAmBhuB,EAAoBwN,EAAK,CAAE8lD,EAASiF,EAAG,KAAO,CACpH,CAEGjF,IACHiuC,GAAa,GACbjuC,EAASlpD,SAASU,cAAc,WAEzB2yF,QAAU,QACjBnqC,EAAO4J,QAAU,IACb5M,EAAoB+mB,IACvB/jB,EAAO1W,aAAa,QAAS0T,EAAoB+mB,IAElD/jB,EAAO1W,aAAa,eAAgB58C,EAAoBwN,GAExD8lD,EAAOjV,IAAMp1C,GAEdlJ,EAAWkJ,GAAO,CAACgjF,GACnB,IAAIwV,EAAmB,CAAChrE,EAAM31B,KAE7BwyD,EAAO5pD,QAAU4pD,EAAO/pD,OAAS,KACjC21B,aAAag+B,GACb,IAAIwkC,EAAU3hG,EAAWkJ,GAIzB,UAHOlJ,EAAWkJ,GAClBqqD,EAAOpiB,YAAcoiB,EAAOpiB,WAAWsqB,YAAYlI,GACnDouC,GAAWA,EAAQ5vF,SAAStR,GAAQA,EAAGM,KACpC21B,EAAM,OAAOA,EAAK31B,EAAM,EAExBo8D,EAAU7xD,WAAWo2F,EAAiB1sF,KAAK,UAAM5R,EAAW,CAAEsI,KAAM,UAAW9G,OAAQ2uD,IAAW,MACtGA,EAAO5pD,QAAU+3F,EAAiB1sF,KAAK,KAAMu+C,EAAO5pD,SACpD4pD,EAAO/pD,OAASk4F,EAAiB1sF,KAAK,KAAMu+C,EAAO/pD,QACnDg4F,GAAcn3F,SAASu3F,KAAK/+D,YAAY0wB,EApCkB,CAoCX,EkSvChDhD,EAAoB0d,EAAKrqE,IACH,oBAAXuE,QAA0BA,OAAO+sB,aAC1C/0B,OAAOua,eAAe9W,EAASuE,OAAO+sB,YAAa,CAAEjvB,MAAO,WAE7D9F,OAAOua,eAAe9W,EAAS,aAAc,CAAEqC,OAAO,GAAO,ECL9DsqD,EAAoBsxC,IAAOl+F,IAC1BA,EAAOiqC,MAAQ,GACVjqC,EAAOghB,WAAUhhB,EAAOghB,SAAW,IACjChhB,GCHR4sD,EAAoBjtD,EAAI,WCAxB,IAAIw+F,EACAvxC,EAAoBvsD,EAAE+2D,gBAAe+mC,EAAYvxC,EAAoBvsD,EAAEmH,SAAW,IACtF,IAAId,EAAWkmD,EAAoBvsD,EAAEqG,SACrC,IAAKy3F,GAAaz3F,IACbA,EAAS03F,gBACZD,EAAYz3F,EAAS03F,cAAczjD,MAC/BwjD,GAAW,CACf,IAAIL,EAAUp3F,EAASigE,qBAAqB,UAC5C,GAAGm3B,EAAQn/F,OAEV,IADA,IAAIF,EAAIq/F,EAAQn/F,OAAS,EAClBF,GAAK,IAAM0/F,GAAWA,EAAYL,EAAQr/F,KAAKk8C,GAExD,CAID,IAAKwjD,EAAW,MAAM,IAAIp1F,MAAM,yDAChCo1F,EAAYA,EAAUn1F,QAAQ,OAAQ,IAAIA,QAAQ,QAAS,IAAIA,QAAQ,YAAa,KACpF4jD,EAAoBx1C,EAAI+mF,YClBxBvxC,EAAoB9xC,EAAIpU,SAAS6lE,SAAWrnE,KAAKsC,SAASF,KAK1D,IAAI+2F,EAAkB,CACrB,KAAM,GAGPzxC,EAAoBoqB,EAAEr3E,EAAI,CAACi+F,EAASnrD,KAElC,IAAI6rD,EAAqB1xC,EAAoBloD,EAAE25F,EAAiBT,GAAWS,EAAgBT,QAAWn+F,EACtG,GAA0B,IAAvB6+F,EAGF,GAAGA,EACF7rD,EAASh1C,KAAK6gG,EAAmB,QAC3B,CAGL,IAAIh2C,EAAU,IAAI9kD,SAAQ,CAACD,EAAS2J,IAAYoxF,EAAqBD,EAAgBT,GAAW,CAACr6F,EAAS2J,KAC1GulC,EAASh1C,KAAK6gG,EAAmB,GAAKh2C,GAGtC,IAAI/iD,EAAMqnD,EAAoBx1C,EAAIw1C,EAAoBwhB,EAAEwvB,GAEpD13F,EAAQ,IAAI6C,MAgBhB6jD,EAAoBluD,EAAE6G,GAfFnI,IACnB,GAAGwvD,EAAoBloD,EAAE25F,EAAiBT,KAEf,KAD1BU,EAAqBD,EAAgBT,MACRS,EAAgBT,QAAWn+F,GACrD6+F,GAAoB,CACtB,IAAIvtE,EAAY3zB,IAAyB,SAAfA,EAAM2K,KAAkB,UAAY3K,EAAM2K,MAChEw2F,EAAUnhG,GAASA,EAAM6D,QAAU7D,EAAM6D,OAAO05C,IACpDz0C,EAAMiD,QAAU,iBAAmBy0F,EAAU,cAAgB7sE,EAAY,KAAOwtE,EAAU,IAC1Fr4F,EAAMjI,KAAO,iBACbiI,EAAM6B,KAAOgpB,EACb7qB,EAAMujF,QAAU8U,EAChBD,EAAmB,GAAGp4F,EACvB,CACD,GAEwC,SAAW03F,EAASA,EAE/D,CACD,EAWFhxC,EAAoBgqB,EAAEj3E,EAAKi+F,GAA0C,IAA7BS,EAAgBT,GAGxD,IAAIY,EAAuB,CAACC,EAA4B18F,KACvD,IAKIs7F,EAAUO,EALVJ,EAAWz7F,EAAK,GAChB28F,EAAc38F,EAAK,GACnB48F,EAAU58F,EAAK,GAGItD,EAAI,EAC3B,GAAG++F,EAASj3D,MAAMjlC,GAAgC,IAAxB+8F,EAAgB/8F,KAAa,CACtD,IAAI+7F,KAAYqB,EACZ9xC,EAAoBloD,EAAEg6F,EAAarB,KACrCzwC,EAAoBznC,EAAEk4E,GAAYqB,EAAYrB,IAGhD,GAAGsB,EAAS,IAAI71F,EAAS61F,EAAQ/xC,EAClC,CAEA,IADG6xC,GAA4BA,EAA2B18F,GACrDtD,EAAI++F,EAAS7+F,OAAQF,IACzBm/F,EAAUJ,EAAS/+F,GAChBmuD,EAAoBloD,EAAE25F,EAAiBT,IAAYS,EAAgBT,IACrES,EAAgBT,GAAS,KAE1BS,EAAgBT,GAAW,EAE5B,OAAOhxC,EAAoBgqB,EAAE9tE,EAAO,EAGjC81F,EAAqB15F,KAA4B,sBAAIA,KAA4B,uBAAK,GAC1F05F,EAAmBxwF,QAAQowF,EAAqBntF,KAAK,KAAM,IAC3DutF,EAAmBnhG,KAAO+gG,EAAqBntF,KAAK,KAAMutF,EAAmBnhG,KAAK4T,KAAKutF,QCvFvFhyC,EAAoB+mB,QAAKl0E,ECGzB,IAAIo/F,EAAsBjyC,EAAoBgqB,OAAEn3E,EAAW,CAAC,OAAO,IAAOmtD,EAAoB,SAC9FiyC,EAAsBjyC,EAAoBgqB,EAAEioB","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/node_modules/vue-demi/lib/index.mjs","webpack:///nextcloud/node_modules/@vue/devtools-api/lib/esm/env.js","webpack:///nextcloud/node_modules/@vue/devtools-api/lib/esm/const.js","webpack:///nextcloud/node_modules/@vue/devtools-api/lib/esm/time.js","webpack:///nextcloud/node_modules/@vue/devtools-api/lib/esm/proxy.js","webpack:///nextcloud/node_modules/@vue/devtools-api/lib/esm/index.js","webpack:///nextcloud/node_modules/pinia/dist/pinia.mjs","webpack:///nextcloud/node_modules/decode-uri-component/index.js","webpack:///nextcloud/node_modules/split-on-first/index.js","webpack:///nextcloud/node_modules/query-string/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?4d6d","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=44de6464","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?478c","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=0e008e34","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?vue&type=script&lang=js","webpack:///nextcloud/apps/files/src/views/Settings.vue","webpack://nextcloud/./apps/files/src/views/Settings.vue?6cd6","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/core/src/OCP/accessibility.js","webpack://nextcloud/./apps/files/src/views/Navigation.vue?6910","webpack://nextcloud/./apps/files/src/views/Navigation.vue?74b9","webpack:///nextcloud/apps/files/src/views/FilesList.vue","webpack:///nextcloud/node_modules/natural-orderby/dist/index.js","webpack:///nextcloud/node_modules/vue-material-design-icons/FormatListBulletedSquare.vue","webpack:///nextcloud/node_modules/vue-material-design-icons/FormatListBulletedSquare.vue?vue&type=script&lang=js","webpack://nextcloud/./node_modules/vue-material-design-icons/FormatListBulletedSquare.vue?5dae","webpack:///nextcloud/node_modules/vue-material-design-icons/FormatListBulletedSquare.vue?vue&type=template&id=03d22f04","webpack:///nextcloud/node_modules/vue-material-design-icons/ShareVariant.vue","webpack:///nextcloud/node_modules/vue-material-design-icons/ShareVariant.vue?vue&type=script&lang=js","webpack://nextcloud/./node_modules/vue-material-design-icons/ShareVariant.vue?0b71","webpack:///nextcloud/node_modules/vue-material-design-icons/ShareVariant.vue?vue&type=template&id=1f144a5c","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=6ca550f9","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/node_modules/vue-material-design-icons/Home.vue","webpack:///nextcloud/node_modules/vue-material-design-icons/Home.vue?vue&type=script&lang=js","webpack://nextcloud/./node_modules/vue-material-design-icons/Home.vue?e73b","webpack:///nextcloud/node_modules/vue-material-design-icons/Home.vue?vue&type=template&id=69a49b0f","webpack:///nextcloud/apps/files/src/components/BreadCrumbs.vue","webpack:///nextcloud/apps/files/src/components/BreadCrumbs.vue?vue&type=script&lang=ts","webpack://nextcloud/./apps/files/src/components/BreadCrumbs.vue?8c84","webpack://nextcloud/./apps/files/src/components/BreadCrumbs.vue?d357","webpack:///nextcloud/apps/files/src/utils/fileUtils.ts","webpack:///nextcloud/apps/files/src/components/FileEntry.vue","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=065722db","webpack://nextcloud/./node_modules/vue-material-design-icons/Folder.vue?b60e","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/./node_modules/@nextcloud/dialogs/dist/style.css?d87c","webpack:///nextcloud/node_modules/axios/index.js","webpack:///nextcloud/apps/files/src/actions/moveOrCopyActionUtils.ts","webpack:///nextcloud/apps/files/src/actions/moveOrCopyAction.ts","webpack:///nextcloud/apps/files/src/utils/hashUtils.ts","webpack:///nextcloud/apps/files/src/store/actionsmenu.ts","webpack:///nextcloud/apps/files/src/store/dragging.ts","webpack:///nextcloud/apps/files/src/store/renaming.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=187c55d7","webpack:///nextcloud/node_modules/vue-material-design-icons/ChevronRight.vue?vue&type=script&lang=js","webpack:///nextcloud/node_modules/vue-material-design-icons/ChevronRight.vue","webpack://nextcloud/./node_modules/vue-material-design-icons/ChevronRight.vue?621b","webpack:///nextcloud/node_modules/vue-material-design-icons/ChevronRight.vue?vue&type=template&id=750bcc07","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?0c29","webpack://nextcloud/./apps/files/src/components/FileEntry/FileEntryActions.vue?64a6","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/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=98f97aee","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","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=5c8d96c6","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=3b29b1d5","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=aa295eae","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=7c7d2907","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=4d7171be","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=34d1e782","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?45f8","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?da7c","webpack:///nextcloud/apps/files/src/components/FileEntryGrid.vue","webpack:///nextcloud/apps/files/src/components/FileEntryGrid.vue?vue&type=script&lang=ts","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/mixins/filesListWidth.ts","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?b8af","webpack://nextcloud/./apps/files/src/components/FilesListTableHeaderActions.vue?9494","webpack:///nextcloud/apps/files/src/components/FilesListTableHeaderButton.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?39b1","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","webpack://nextcloud/./apps/files/src/components/FilesListTableHeader.vue?9e2a","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/FilesListVirtual.vue?vue&type=script&lang=ts","webpack:///nextcloud/apps/files/src/components/FilesListVirtual.vue","webpack://nextcloud/./apps/files/src/components/FilesListVirtual.vue?ac06","webpack://nextcloud/./apps/files/src/components/FilesListVirtual.vue?0c16","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=547c388d","webpack:///nextcloud/apps/files/src/services/DropService.ts","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?5c26","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?602f","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-7900cbe9.css","webpack:///nextcloud/apps/files/src/components/BreadCrumbs.vue?vue&type=style&index=0&id=1c4866bc&prod&lang=scss&scoped=true","webpack:///nextcloud/apps/files/src/components/DragAndDropNotice.vue?vue&type=style&index=0&id=069817aa&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=77afa6dc&prod&lang=scss&scoped=true","webpack:///nextcloud/apps/files/src/components/FileEntry/FileEntryActions.vue?vue&type=style&index=0&id=3daa457a&prod&lang=scss","webpack:///nextcloud/apps/files/src/components/FileEntry/FileEntryActions.vue?vue&type=style&index=1&id=3daa457a&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=769ad83a&prod&scoped=true&lang=scss","webpack:///nextcloud/apps/files/src/components/FilesListTableHeaderActions.vue?vue&type=style&index=0&id=2fbb2389&prod&scoped=true&lang=scss","webpack:///nextcloud/apps/files/src/components/FilesListTableHeaderButton.vue?vue&type=style&index=0&id=2dd1845e&prod&scoped=true&lang=scss","webpack:///nextcloud/apps/files/src/components/FilesListVirtual.vue?vue&type=style&index=0&id=056855cd&prod&scoped=true&lang=scss","webpack:///nextcloud/apps/files/src/components/FilesListVirtual.vue?vue&type=style&index=1&id=056855cd&prod&lang=scss","webpack:///nextcloud/apps/files/src/components/NavigationQuota.vue?vue&type=style&index=0&id=18ceb3ce&prod&lang=scss&scoped=true","webpack:///nextcloud/apps/files/src/views/FilesList.vue?vue&type=style&index=0&id=02896d42&prod&scoped=true&lang=scss","webpack:///nextcloud/apps/files/src/views/Navigation.vue?vue&type=style&index=0&id=49c36efc&prod&scoped=true&lang=scss","webpack:///nextcloud/apps/files/src/views/Settings.vue?vue&type=style&index=0&id=decd355e&prod&lang=scss&scoped=true","webpack:///nextcloud/node_modules/moment/locale|sync|/^\\.\\/.*$","webpack:///nextcloud/node_modules/sax/lib/sax.js","webpack:///nextcloud/node_modules/setimmediate/setImmediate.js","webpack:///nextcloud/node_modules/simple-eta/index.js","webpack:///nextcloud/node_modules/timers-browserify/main.js","webpack:///nextcloud/node_modules/xml2js/lib/bom.js","webpack:///nextcloud/node_modules/xml2js/lib/builder.js","webpack:///nextcloud/node_modules/xml2js/lib/defaults.js","webpack:///nextcloud/node_modules/xml2js/lib/parser.js","webpack:///nextcloud/node_modules/xml2js/lib/processors.js","webpack:///nextcloud/node_modules/xml2js/lib/xml2js.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/DocumentPosition.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/NodeType.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/Utility.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/WriterState.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLAttribute.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLCData.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLCharacterData.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLComment.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDOMConfiguration.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDOMErrorHandler.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDOMImplementation.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDOMStringList.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDTDAttList.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDTDElement.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDTDEntity.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDTDNotation.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDeclaration.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDocType.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDocument.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDocumentCB.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDummy.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLElement.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLNamedNodeMap.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLNode.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLNodeList.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLProcessingInstruction.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLRaw.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLStreamWriter.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLStringWriter.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLStringifier.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLText.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLWriterBase.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/index.js","webpack:///nextcloud/node_modules/@nextcloud/files/dist/index.mjs","webpack://nextcloud/./node_modules/@nextcloud/upload/dist/assets/index-7900cbe9.css?cc8e","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/node_modules/p-limit/async-hooks-stub.js","webpack:///nextcloud/node_modules/@nextcloud/upload/dist/chunks/index-f812dc31.mjs","webpack:///nextcloud/node_modules/@nextcloud/upload/node_modules/p-limit/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","import Vue from 'vue'\nimport { getCurrentInstance } from 'vue'\n\nvar isVue2 = true\nvar isVue3 = false\nvar Vue2 = Vue\nvar warn = Vue.util.warn\n\nfunction install() {}\n\n// createApp polyfill\nexport function createApp(rootComponent, rootProps) {\n var vm\n var provide = {}\n var app = {\n config: Vue.config,\n use: Vue.use.bind(Vue),\n mixin: Vue.mixin.bind(Vue),\n component: Vue.component.bind(Vue),\n provide: function (key, value) {\n provide[key] = value\n return this\n },\n directive: function (name, dir) {\n if (dir) {\n Vue.directive(name, dir)\n return app\n } else {\n return Vue.directive(name)\n }\n },\n mount: function (el, hydrating) {\n if (!vm) {\n vm = new Vue(Object.assign({ propsData: rootProps }, rootComponent, { provide: Object.assign(provide, rootComponent.provide) }))\n vm.$mount(el, hydrating)\n return vm\n } else {\n return vm\n }\n },\n unmount: function () {\n if (vm) {\n vm.$destroy()\n vm = undefined\n }\n },\n }\n return app\n}\n\nexport {\n Vue,\n Vue2,\n isVue2,\n isVue3,\n install,\n warn\n}\n\n// Vue 3 components mock\nfunction createMockComponent(name) {\n return {\n setup() {\n throw new Error('[vue-demi] ' + name + ' is not supported in Vue 2. It\\'s provided to avoid compiler errors.')\n }\n }\n}\nexport var Fragment = /*#__PURE__*/ createMockComponent('Fragment')\nexport var Transition = /*#__PURE__*/ createMockComponent('Transition')\nexport var TransitionGroup = /*#__PURE__*/ createMockComponent('TransitionGroup')\nexport var Teleport = /*#__PURE__*/ createMockComponent('Teleport')\nexport var Suspense = /*#__PURE__*/ createMockComponent('Suspense')\nexport var KeepAlive = /*#__PURE__*/ createMockComponent('KeepAlive')\n\nexport * from 'vue'\n\n// Not implemented https://github.com/vuejs/core/pull/8111, falls back to getCurrentInstance()\nexport function hasInjectionContext() {\n return !!getCurrentInstance()\n}\n","export function getDevtoolsGlobalHook() {\n return getTarget().__VUE_DEVTOOLS_GLOBAL_HOOK__;\n}\nexport function getTarget() {\n // @ts-ignore\n return (typeof navigator !== 'undefined' && typeof window !== 'undefined')\n ? window\n : typeof global !== 'undefined'\n ? global\n : {};\n}\nexport const isProxyAvailable = typeof Proxy === 'function';\n","export const HOOK_SETUP = 'devtools-plugin:setup';\nexport const HOOK_PLUGIN_SETTINGS_SET = 'plugin:settings:set';\n","let supported;\nlet perf;\nexport function isPerformanceSupported() {\n var _a;\n if (supported !== undefined) {\n return supported;\n }\n if (typeof window !== 'undefined' && window.performance) {\n supported = true;\n perf = window.performance;\n }\n else if (typeof global !== 'undefined' && ((_a = global.perf_hooks) === null || _a === void 0 ? void 0 : _a.performance)) {\n supported = true;\n perf = global.perf_hooks.performance;\n }\n else {\n supported = false;\n }\n return supported;\n}\nexport function now() {\n return isPerformanceSupported() ? perf.now() : Date.now();\n}\n","import { HOOK_PLUGIN_SETTINGS_SET } from './const.js';\nimport { now } from './time.js';\nexport class ApiProxy {\n constructor(plugin, hook) {\n this.target = null;\n this.targetQueue = [];\n this.onQueue = [];\n this.plugin = plugin;\n this.hook = hook;\n const defaultSettings = {};\n if (plugin.settings) {\n for (const id in plugin.settings) {\n const item = plugin.settings[id];\n defaultSettings[id] = item.defaultValue;\n }\n }\n const localSettingsSaveId = `__vue-devtools-plugin-settings__${plugin.id}`;\n let currentSettings = Object.assign({}, defaultSettings);\n try {\n const raw = localStorage.getItem(localSettingsSaveId);\n const data = JSON.parse(raw);\n Object.assign(currentSettings, data);\n }\n catch (e) {\n // noop\n }\n this.fallbacks = {\n getSettings() {\n return currentSettings;\n },\n setSettings(value) {\n try {\n localStorage.setItem(localSettingsSaveId, JSON.stringify(value));\n }\n catch (e) {\n // noop\n }\n currentSettings = value;\n },\n now() {\n return now();\n },\n };\n if (hook) {\n hook.on(HOOK_PLUGIN_SETTINGS_SET, (pluginId, value) => {\n if (pluginId === this.plugin.id) {\n this.fallbacks.setSettings(value);\n }\n });\n }\n this.proxiedOn = new Proxy({}, {\n get: (_target, prop) => {\n if (this.target) {\n return this.target.on[prop];\n }\n else {\n return (...args) => {\n this.onQueue.push({\n method: prop,\n args,\n });\n };\n }\n },\n });\n this.proxiedTarget = new Proxy({}, {\n get: (_target, prop) => {\n if (this.target) {\n return this.target[prop];\n }\n else if (prop === 'on') {\n return this.proxiedOn;\n }\n else if (Object.keys(this.fallbacks).includes(prop)) {\n return (...args) => {\n this.targetQueue.push({\n method: prop,\n args,\n resolve: () => { },\n });\n return this.fallbacks[prop](...args);\n };\n }\n else {\n return (...args) => {\n return new Promise(resolve => {\n this.targetQueue.push({\n method: prop,\n args,\n resolve,\n });\n });\n };\n }\n },\n });\n }\n async setRealTarget(target) {\n this.target = target;\n for (const item of this.onQueue) {\n this.target.on[item.method](...item.args);\n }\n for (const item of this.targetQueue) {\n item.resolve(await this.target[item.method](...item.args));\n }\n }\n}\n","import { getTarget, getDevtoolsGlobalHook, isProxyAvailable } from './env.js';\nimport { HOOK_SETUP } from './const.js';\nimport { ApiProxy } from './proxy.js';\nexport * from './api/index.js';\nexport * from './plugin.js';\nexport * from './time.js';\nexport function setupDevtoolsPlugin(pluginDescriptor, setupFn) {\n const descriptor = pluginDescriptor;\n const target = getTarget();\n const hook = getDevtoolsGlobalHook();\n const enableProxy = isProxyAvailable && descriptor.enableEarlyProxy;\n if (hook && (target.__VUE_DEVTOOLS_PLUGIN_API_AVAILABLE__ || !enableProxy)) {\n hook.emit(HOOK_SETUP, pluginDescriptor, setupFn);\n }\n else {\n const proxy = enableProxy ? new ApiProxy(descriptor, hook) : null;\n const list = target.__VUE_DEVTOOLS_PLUGINS__ = target.__VUE_DEVTOOLS_PLUGINS__ || [];\n list.push({\n pluginDescriptor: descriptor,\n setupFn,\n proxy,\n });\n if (proxy)\n setupFn(proxy.proxiedTarget);\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","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\tif (Boolean(value) && typeof value === 'object' && !Array.isArray(value)) {\n\t\t\t// Sort object keys, not values\n\t\t\tresult[key] = keysSorter(value);\n\t\t} else {\n\t\t\tresult[key] = value;\n\t\t}\n\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","/**\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 { generateUrl } from '@nextcloud/router';\nimport queryString from 'query-string';\nimport Router, { RawLocation, Route } 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' },\n },\n {\n path: '/:view/:fileid?',\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 }","import { render, staticRenderFns } from \"./Cog.vue?vue&type=template&id=bcf30078\"\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","/**\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=44de6464\"\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,\"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=18ceb3ce&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=18ceb3ce&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=18ceb3ce&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=18ceb3ce&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 \"18ceb3ce\",\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:{\"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:{\"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:{\"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:{\"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:{\"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=0e008e34\"\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,\"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 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","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\n\n\n\n\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!./Settings.vue?vue&type=style&index=0&id=decd355e&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=decd355e&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=decd355e&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=decd355e&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 \"decd355e\",\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\":true,\"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\":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 * @copyright Copyright (c) 2022 Joas Schilling \n *\n * @author Joas Schilling \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\nimport { loadState } from '@nextcloud/initial-state'\n\n/**\n * Set the page heading\n *\n * @param {string} heading page title from the history api\n * @since 27.0.0\n */\nexport function setPageHeading(heading) {\n\tconst headingEl = document.getElementById('page-heading-level-1')\n\tif (headingEl) {\n\t\theadingEl.textContent = heading\n\t}\n}\nexport default {\n\t/**\n\t * @return {boolean} Whether the user opted-out of shortcuts so that they should not be registered\n\t */\n\tdisableKeyboardShortcuts() {\n\t\treturn loadState('theming', 'shortcutsDisabled', false)\n\t},\n\tsetPageHeading,\n}\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!./Navigation.vue?vue&type=style&index=0&id=49c36efc&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=49c36efc&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=49c36efc&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=49c36efc&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 \"49c36efc\",\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:{\"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('ShareVariantIcon',{attrs:{\"size\":20}})]},proxy:true}],null,false,2776780758)}):_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', 'Add'))+\"\\n\\t\\t\\t\\t\")]):(_vm.currentFolder)?_c('UploadPicker',{staticClass:\"files-list__header-upload-button\",attrs:{\"content\":_vm.dirContents,\"destination\":_vm.currentFolder,\"multiple\":true},on:{\"failed\":_vm.onUploadFail,\"uploaded\":_vm.onUpload}}):_vm._e()]},proxy:true}])}),_vm._v(\" \"),(_vm.filesListWidth >= 512 && _vm.enableGridView)?_c('NcButton',{staticClass:\"files-list__header-grid-button\",attrs:{\"aria-label\":_vm.gridViewButtonLabel,\"title\":_vm.gridViewButtonLabel,\"type\":\"tertiary\"},on:{\"click\":_vm.toggleGridView},scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [(_vm.userConfig.grid_view)?_c('ListViewIcon'):_c('ViewGridIcon')]},proxy:true}],null,false,1682960703)}):_vm._e(),_vm._v(\" \"),(_vm.isRefreshing)?_c('NcLoadingIcon',{staticClass:\"files-list__refresh-icon\"}):_vm._e()],1),_vm._v(\" \"),(!_vm.loading && _vm.canUpload)?_c('DragAndDropNotice',{attrs:{\"current-folder\":_vm.currentFolder}}):_vm._e(),_vm._v(\" \"),(_vm.loading && !_vm.isRefreshing)?_c('NcLoadingIcon',{staticClass:\"files-list__loading-icon\",attrs:{\"size\":38,\"name\":_vm.t('files', 'Loading current folder')}}):(!_vm.loading && _vm.isEmptyDir)?_c('NcEmptyContent',{attrs:{\"name\":_vm.currentView?.emptyTitle || _vm.t('files', 'No files in here'),\"description\":_vm.currentView?.emptyCaption || _vm.t('files', 'Upload some content or sync with your devices!'),\"data-cy-files-content-empty\":\"\"},scopedSlots:_vm._u([{key:\"action\",fn:function(){return [(_vm.dir !== '/')?_c('NcButton',{attrs:{\"aria-label\":_vm.t('files', 'Go to the previous folder'),\"type\":\"primary\",\"to\":_vm.toPreviousDir}},[_vm._v(\"\\n\\t\\t\\t\\t\"+_vm._s(_vm.t('files', 'Go back'))+\"\\n\\t\\t\\t\")]):_vm._e()]},proxy:true},{key:\"icon\",fn:function(){return [_c('NcIconSvgWrapper',{attrs:{\"svg\":_vm.currentView.icon}})]},proxy:true}])}):_c('FilesListVirtual',{ref:\"filesListVirtual\",attrs:{\"current-folder\":_vm.currentFolder,\"current-view\":_vm.currentView,\"nodes\":_vm.dirContentsSorted}})],1)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","/**\n * natural-orderby v3.0.2\n *\n * Copyright (c) Olaf Ennen\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE.md file in the root directory of this source tree.\n *\n * @license MIT\n */\nvar compareNumbers = function compareNumbers(numberA, numberB) {\n if (numberA < numberB) {\n return -1;\n }\n if (numberA > numberB) {\n return 1;\n }\n return 0;\n};\n\nvar compareUnicode = function compareUnicode(stringA, stringB) {\n var result = stringA.localeCompare(stringB);\n return result ? result / Math.abs(result) : 0;\n};\n\nvar RE_NUMBERS = /(^0x[\\da-fA-F]+$|^([+-]?(?:\\d+(?:\\.\\d*)?|\\.\\d+)(?:[eE][+-]?\\d+)?(?!\\.\\d+)(?=\\D|\\s|$))|\\d+)/g;\nvar RE_LEADING_OR_TRAILING_WHITESPACES = /^\\s+|\\s+$/g; // trim pre-post whitespace\nvar RE_WHITESPACES = /\\s+/g; // normalize all whitespace to single ' ' character\nvar RE_INT_OR_FLOAT = /^[+-]?(?:\\d+(?:\\.\\d*)?|\\.\\d+)(?:[eE][+-]?\\d+)?$/; // identify integers and floats\nvar RE_DATE = /(^([\\w ]+,?[\\w ]+)?[\\w ]+,?[\\w ]+\\d+:\\d+(:\\d+)?[\\w ]?|^\\d{1,4}[/-]\\d{1,4}[/-]\\d{1,4}|^\\w+, \\w+ \\d+, \\d{4})/; // identify date strings\nvar RE_LEADING_ZERO = /^0+[1-9]{1}[0-9]*$/;\n// eslint-disable-next-line no-control-regex\nvar RE_UNICODE_CHARACTERS = /[^\\x00-\\x80]/;\n\nvar stringCompare = function stringCompare(stringA, stringB) {\n if (stringA < stringB) {\n return -1;\n }\n if (stringA > stringB) {\n return 1;\n }\n return 0;\n};\n\nvar compareChunks = function compareChunks(chunksA, chunksB) {\n var lengthA = chunksA.length;\n var lengthB = chunksB.length;\n var size = Math.min(lengthA, lengthB);\n for (var i = 0; i < size; i++) {\n var chunkA = chunksA[i];\n var chunkB = chunksB[i];\n if (chunkA.normalizedString !== chunkB.normalizedString) {\n if (chunkA.normalizedString === '' !== (chunkB.normalizedString === '')) {\n // empty strings have lowest value\n return chunkA.normalizedString === '' ? -1 : 1;\n }\n if (chunkA.parsedNumber !== undefined && chunkB.parsedNumber !== undefined) {\n // compare numbers\n var result = compareNumbers(chunkA.parsedNumber, chunkB.parsedNumber);\n if (result === 0) {\n // compare string value, if parsed numbers are equal\n // Example:\n // chunkA = { parsedNumber: 1, normalizedString: \"001\" }\n // chunkB = { parsedNumber: 1, normalizedString: \"01\" }\n // chunkA.parsedNumber === chunkB.parsedNumber\n // chunkA.normalizedString < chunkB.normalizedString\n return stringCompare(chunkA.normalizedString, chunkB.normalizedString);\n }\n return result;\n } else if (chunkA.parsedNumber !== undefined || chunkB.parsedNumber !== undefined) {\n // number < string\n return chunkA.parsedNumber !== undefined ? -1 : 1;\n } else if (RE_UNICODE_CHARACTERS.test(chunkA.normalizedString + chunkB.normalizedString)) {\n // use locale comparison only if one of the chunks contains unicode characters\n return compareUnicode(chunkA.normalizedString, chunkB.normalizedString);\n } else {\n // use common string comparison for performance reason\n return stringCompare(chunkA.normalizedString, chunkB.normalizedString);\n }\n }\n }\n // if the chunks are equal so far, the one which has more chunks is greater than the other one\n if (lengthA > size || lengthB > size) {\n return lengthA <= size ? -1 : 1;\n }\n return 0;\n};\n\nvar compareOtherTypes = function compareOtherTypes(valueA, valueB) {\n if (!valueA.chunks ? valueB.chunks : !valueB.chunks) {\n return !valueA.chunks ? 1 : -1;\n }\n if (valueA.isNaN ? !valueB.isNaN : valueB.isNaN) {\n return valueA.isNaN ? -1 : 1;\n }\n if (valueA.isSymbol ? !valueB.isSymbol : valueB.isSymbol) {\n return valueA.isSymbol ? -1 : 1;\n }\n if (valueA.isObject ? !valueB.isObject : valueB.isObject) {\n return valueA.isObject ? -1 : 1;\n }\n if (valueA.isArray ? !valueB.isArray : valueB.isArray) {\n return valueA.isArray ? -1 : 1;\n }\n if (valueA.isFunction ? !valueB.isFunction : valueB.isFunction) {\n return valueA.isFunction ? -1 : 1;\n }\n if (valueA.isNull ? !valueB.isNull : valueB.isNull) {\n return valueA.isNull ? -1 : 1;\n }\n return 0;\n};\n\nvar compareValues = function compareValues(valueA, valueB) {\n if (valueA.value === valueB.value) {\n return 0;\n }\n if (valueA.parsedNumber !== undefined && valueB.parsedNumber !== undefined) {\n return compareNumbers(valueA.parsedNumber, valueB.parsedNumber);\n }\n if (valueA.chunks && valueB.chunks) {\n return compareChunks(valueA.chunks, valueB.chunks);\n }\n return compareOtherTypes(valueA, valueB);\n};\n\nvar normalizeAlphaChunk = function normalizeAlphaChunk(chunk) {\n return chunk.replace(RE_WHITESPACES, ' ').replace(RE_LEADING_OR_TRAILING_WHITESPACES, '');\n};\n\nvar parseNumber = function parseNumber(value) {\n if (value.length !== 0) {\n var parsedNumber = Number(value);\n if (!Number.isNaN(parsedNumber)) {\n return parsedNumber;\n }\n }\n return undefined;\n};\n\nvar normalizeNumericChunk = function normalizeNumericChunk(chunk, index, chunks) {\n if (RE_INT_OR_FLOAT.test(chunk)) {\n // don´t parse a number, if there´s a preceding decimal point\n // to keep significance\n // e.g. 1.0020, 1.020\n if (!RE_LEADING_ZERO.test(chunk) || index === 0 || chunks[index - 1] !== '.') {\n return parseNumber(chunk) || 0;\n }\n }\n return undefined;\n};\n\nvar createChunkMap = function createChunkMap(chunk, index, chunks) {\n return {\n parsedNumber: normalizeNumericChunk(chunk, index, chunks),\n normalizedString: normalizeAlphaChunk(chunk)\n };\n};\n\nvar createChunks = function createChunks(value) {\n return value.replace(RE_NUMBERS, '\\0$1\\0').replace(/\\0$/, '').replace(/^\\0/, '').split('\\0');\n};\n\nvar createChunkMaps = function createChunkMaps(value) {\n var chunksMaps = createChunks(value).map(createChunkMap);\n return chunksMaps;\n};\n\nvar isFunction = function isFunction(value) {\n return typeof value === 'function';\n};\n\nvar isNaN = function isNaN(value) {\n return Number.isNaN(value) || value instanceof Number && Number.isNaN(value.valueOf());\n};\n\nvar isNull = function isNull(value) {\n return value === null;\n};\n\nvar isObject = function isObject(value) {\n return value !== null && typeof value === 'object' && !Array.isArray(value) && !(value instanceof Number) && !(value instanceof String) && !(value instanceof Boolean) && !(value instanceof Date);\n};\n\nvar isSymbol = function isSymbol(value) {\n return typeof value === 'symbol';\n};\n\nvar isUndefined = function isUndefined(value) {\n return value === undefined;\n};\n\nvar parseDate = function parseDate(value) {\n try {\n var parsedDate = Date.parse(value);\n if (!Number.isNaN(parsedDate)) {\n if (RE_DATE.test(value)) {\n return parsedDate;\n }\n }\n return undefined;\n } catch (_unused) {\n return undefined;\n }\n};\n\nvar numberify = function numberify(value) {\n var parsedNumber = parseNumber(value);\n if (parsedNumber !== undefined) {\n return parsedNumber;\n }\n return parseDate(value);\n};\n\nvar stringify = function stringify(value) {\n if (typeof value === 'boolean' || value instanceof Boolean) {\n return Number(value).toString();\n }\n if (typeof value === 'number' || value instanceof Number) {\n return value.toString();\n }\n if (value instanceof Date) {\n return value.getTime().toString();\n }\n if (typeof value === 'string' || value instanceof String) {\n return value.toLowerCase().replace(RE_LEADING_OR_TRAILING_WHITESPACES, '');\n }\n return '';\n};\n\nvar getMappedValueRecord = function getMappedValueRecord(value) {\n if (typeof value === 'string' || value instanceof String || (typeof value === 'number' || value instanceof Number) && !isNaN(value) || typeof value === 'boolean' || value instanceof Boolean || value instanceof Date) {\n var stringValue = stringify(value);\n var parsedNumber = numberify(stringValue);\n var chunks = createChunkMaps(parsedNumber ? \"\" + parsedNumber : stringValue);\n return {\n parsedNumber: parsedNumber,\n chunks: chunks,\n value: value\n };\n }\n return {\n isArray: Array.isArray(value),\n isFunction: isFunction(value),\n isNaN: isNaN(value),\n isNull: isNull(value),\n isObject: isObject(value),\n isSymbol: isSymbol(value),\n isUndefined: isUndefined(value),\n value: value\n };\n};\n\nvar baseCompare = function baseCompare(options) {\n return function (valueA, valueB) {\n var a = getMappedValueRecord(valueA);\n var b = getMappedValueRecord(valueB);\n var result = compareValues(a, b);\n return result * (options.order === 'desc' ? -1 : 1);\n };\n};\n\nvar isValidOrder = function isValidOrder(value) {\n return typeof value === 'string' && (value === 'asc' || value === 'desc');\n};\nvar getOptions = function getOptions(customOptions) {\n var order = 'asc';\n if (typeof customOptions === 'string' && isValidOrder(customOptions)) {\n order = customOptions;\n } else if (customOptions && typeof customOptions === 'object' && customOptions.order && isValidOrder(customOptions.order)) {\n order = customOptions.order;\n }\n return {\n order: order\n };\n};\n\n/**\n * Creates a compare function that defines the natural sort order considering\n * the given `options` which may be passed to [`Array.prototype.sort()`](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Array/sort).\n */\nfunction compare(options) {\n var validatedOptions = getOptions(options);\n return baseCompare(validatedOptions);\n}\n\nvar compareMultiple = function compareMultiple(recordA, recordB, orders) {\n var indexA = recordA.index,\n valuesA = recordA.values;\n var indexB = recordB.index,\n valuesB = recordB.values;\n var length = valuesA.length;\n var ordersLength = orders.length;\n for (var i = 0; i < length; i++) {\n var order = i < ordersLength ? orders[i] : null;\n if (order && typeof order === 'function') {\n var result = order(valuesA[i].value, valuesB[i].value);\n if (result) {\n return result;\n }\n } else {\n var _result = compareValues(valuesA[i], valuesB[i]);\n if (_result) {\n return _result * (order === 'desc' ? -1 : 1);\n }\n }\n }\n return indexA - indexB;\n};\n\nvar createIdentifierFn = function createIdentifierFn(identifier) {\n if (typeof identifier === 'function') {\n // identifier is already a lookup function\n return identifier;\n }\n return function (value) {\n if (Array.isArray(value)) {\n var index = Number(identifier);\n if (Number.isInteger(index)) {\n return value[index];\n }\n } else if (value && typeof value === 'object') {\n var result = Object.getOwnPropertyDescriptor(value, identifier);\n return result == null ? void 0 : result.value;\n }\n return value;\n };\n};\n\nvar getElementByIndex = function getElementByIndex(collection, index) {\n return collection[index];\n};\n\nvar getValueByIdentifier = function getValueByIdentifier(value, getValue) {\n return getValue(value);\n};\n\nvar baseOrderBy = function baseOrderBy(collection, identifiers, orders) {\n var identifierFns = identifiers.length ? identifiers.map(createIdentifierFn) : [function (value) {\n return value;\n }];\n\n // temporary array holds elements with position and sort-values\n var mappedCollection = collection.map(function (element, index) {\n var values = identifierFns.map(function (identifier) {\n return getValueByIdentifier(element, identifier);\n }).map(getMappedValueRecord);\n return {\n index: index,\n values: values\n };\n });\n\n // iterate over values and compare values until a != b or last value reached\n mappedCollection.sort(function (recordA, recordB) {\n return compareMultiple(recordA, recordB, orders);\n });\n return mappedCollection.map(function (element) {\n return getElementByIndex(collection, element.index);\n });\n};\n\nvar getIdentifiers = function getIdentifiers(identifiers) {\n if (!identifiers) {\n return [];\n }\n var identifierList = !Array.isArray(identifiers) ? [identifiers] : [].concat(identifiers);\n if (identifierList.some(function (identifier) {\n return typeof identifier !== 'string' && typeof identifier !== 'number' && typeof identifier !== 'function';\n })) {\n return [];\n }\n return identifierList;\n};\n\nvar getOrders = function getOrders(orders) {\n if (!orders) {\n return [];\n }\n var orderList = !Array.isArray(orders) ? [orders] : [].concat(orders);\n if (orderList.some(function (order) {\n return order !== 'asc' && order !== 'desc' && typeof order !== 'function';\n })) {\n return [];\n }\n return orderList;\n};\n\n/**\n * Creates an array of elements, natural sorted by specified identifiers and\n * the corresponding sort orders. This method implements a stable sort\n * algorithm, which means the original sort order of equal elements is\n * preserved.\n */\nfunction orderBy(collection, identifiers, orders) {\n if (!collection || !Array.isArray(collection)) {\n return [];\n }\n var validatedIdentifiers = getIdentifiers(identifiers);\n var validatedOrders = getOrders(orders);\n return baseOrderBy(collection, validatedIdentifiers, validatedOrders);\n}\n\nexport { compare, orderBy };\n","\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=03d22f04\"\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,\"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!./ShareVariant.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./ShareVariant.vue?vue&type=script&lang=js\"","import { render, staticRenderFns } from \"./ShareVariant.vue?vue&type=template&id=1f144a5c\"\nimport script from \"./ShareVariant.vue?vue&type=script&lang=js\"\nexport * from \"./ShareVariant.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 share-variant-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 24 24\"}},[_c('path',{attrs:{\"d\":\"M18,16.08C17.24,16.08 16.56,16.38 16.04,16.85L8.91,12.7C8.96,12.47 9,12.24 9,12C9,11.76 8.96,11.53 8.91,11.3L15.96,7.19C16.5,7.69 17.21,8 18,8A3,3 0 0,0 21,5A3,3 0 0,0 18,2A3,3 0 0,0 15,5C15,5.24 15.04,5.47 15.09,5.7L8.04,9.81C7.5,9.31 6.79,9 6,9A3,3 0 0,0 3,12A3,3 0 0,0 6,15C6.79,15 7.5,14.69 8.04,14.19L15.16,18.34C15.11,18.55 15.08,18.77 15.08,19C15.08,20.61 16.39,21.91 18,21.91C19.61,21.91 20.92,20.61 20.92,19A2.92,2.92 0 0,0 18,16.08Z\"}},[(_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=6ca550f9\"\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,\"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 }, { dir }, true);\n return null;\n }\n catch (error) {\n logger.error('Error while opening sidebar', { error });\n return false;\n }\n },\n order: -50,\n});\n","import { defineStore } from 'pinia';\nimport { subscribe } from '@nextcloud/event-bus';\nimport logger from '../logger';\nimport Vue from 'vue';\nexport const useFilesStore = function (...args) {\n const store = defineStore('files', {\n state: () => ({\n files: {},\n roots: {},\n }),\n getters: {\n /**\n * Get a file or folder by id\n */\n getNode: (state) => (id) => state.files[id],\n /**\n * Get a list of files or folders by their IDs\n * Does not return undefined values\n */\n getNodes: (state) => (ids) => ids\n .map(id => state.files[id])\n .filter(Boolean),\n /**\n * Get a file or folder by id\n */\n getRoot: (state) => (service) => state.roots[service],\n },\n actions: {\n updateNodes(nodes) {\n // Update the store all at once\n const files = nodes.reduce((acc, node) => {\n if (!node.fileid) {\n logger.error('Trying to update/set a node without fileid', node);\n return acc;\n }\n acc[node.fileid] = node;\n return acc;\n }, {});\n Vue.set(this, 'files', { ...this.files, ...files });\n },\n deleteNodes(nodes) {\n nodes.forEach(node => {\n if (node.fileid) {\n Vue.delete(this.files, node.fileid);\n }\n });\n },\n setRoot({ service, root }) {\n Vue.set(this.roots, service, root);\n },\n onDeletedNode(node) {\n this.deleteNodes([node]);\n },\n onCreatedNode(node) {\n this.updateNodes([node]);\n },\n onUpdatedNode(node) {\n this.updateNodes([node]);\n },\n },\n });\n const fileStore = store(...args);\n // Make sure we only register the listeners once\n if (!fileStore._initialized) {\n subscribe('files:node:created', fileStore.onCreatedNode);\n subscribe('files:node:deleted', fileStore.onDeletedNode);\n subscribe('files:node:updated', fileStore.onUpdatedNode);\n fileStore._initialized = true;\n }\n return fileStore;\n};\n","import { defineStore } from 'pinia';\nimport { FileType, Folder, Node, getNavigation } from '@nextcloud/files';\nimport { subscribe } from '@nextcloud/event-bus';\nimport Vue from 'vue';\nimport logger from '../logger';\nimport { useFilesStore } from './files';\nexport const usePathsStore = function (...args) {\n const files = useFilesStore();\n const store = defineStore('paths', {\n state: () => ({\n paths: {},\n }),\n getters: {\n getPath: (state) => {\n return (service, path) => {\n if (!state.paths[service]) {\n return undefined;\n }\n return state.paths[service][path];\n };\n },\n },\n actions: {\n addPath(payload) {\n // If it doesn't exists, init the service state\n if (!this.paths[payload.service]) {\n Vue.set(this.paths, payload.service, {});\n }\n // Now we can set the provided path\n Vue.set(this.paths[payload.service], payload.path, payload.fileid);\n },\n onCreatedNode(node) {\n const service = getNavigation()?.active?.id || 'files';\n if (!node.fileid) {\n logger.error('Node has no fileid', { node });\n return;\n }\n // Only add path if it's a folder\n if (node.type === FileType.Folder) {\n this.addPath({\n service,\n path: node.path,\n fileid: node.fileid,\n });\n }\n // Update parent folder children if exists\n // If the folder is the root, get it and update it\n if (node.dirname === '/') {\n const root = files.getRoot(service);\n if (!root._children) {\n Vue.set(root, '_children', []);\n }\n root._children.push(node.fileid);\n return;\n }\n // If the folder doesn't exists yet, it will be\n // fetched later and its children updated anyway.\n if (this.paths[service][node.dirname]) {\n const parentId = this.paths[service][node.dirname];\n const parentFolder = files.getNode(parentId);\n logger.debug('Path already exists, updating children', { parentFolder, node });\n if (!parentFolder) {\n logger.error('Parent folder not found', { parentId });\n return;\n }\n if (!parentFolder._children) {\n Vue.set(parentFolder, '_children', []);\n }\n parentFolder._children.push(node.fileid);\n return;\n }\n logger.debug('Parent path does not exists, skipping children update', { node });\n },\n },\n });\n const pathsStore = store(...args);\n // Make sure we only register the listeners once\n if (!pathsStore._initialized) {\n // TODO: watch folders to update paths?\n subscribe('files:node:created', pathsStore.onCreatedNode);\n // subscribe('files:node:deleted', pathsStore.onDeletedNode)\n // subscribe('files:node:moved', pathsStore.onMovedNode)\n pathsStore._initialized = true;\n }\n return pathsStore;\n};\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ \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\n","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./Home.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./Home.vue?vue&type=script&lang=js\"","import { render, staticRenderFns } from \"./Home.vue?vue&type=template&id=69a49b0f\"\nimport script from \"./Home.vue?vue&type=script&lang=js\"\nexport * from \"./Home.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 home-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 24 24\"}},[_c('path',{attrs:{\"d\":\"M10,20V14H14V20H19V12H22L12,3L2,12H5V20H10Z\"}},[(_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('NcBreadcrumbs',{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,\"title\":_vm.titleForSection(index, section),\"aria-description\":_vm.ariaForSection(section)},nativeOn:{\"click\":function($event){return _vm.onClick(section.to)}},scopedSlots:_vm._u([(index === 0)?{key:\"icon\",fn:function(){return [_c('Home',{attrs:{\"size\":20}})]},proxy:true}:null],null,true)},'NcBreadcrumb',section,false))}),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!./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\"","\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=1c4866bc&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=1c4866bc&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=1c4866bc&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=1c4866bc&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 \"1c4866bc\",\n null\n \n)\n\nexport default component.exports","/**\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 suffix A function that takes an index an returns a suffix to add, defaults to '(index)'\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, suffix = (n) => `(${n})`) => {\n let newName = name;\n let i = 1;\n while (otherNames.includes(newName)) {\n const ext = extname(name);\n newName = `${basename(name, ext)} ${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","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:{'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}},_vm.rowListeners),[(_vm.source.attributes.failed)?_c('span',{staticClass:\"files-list__row--failed\"}):_vm._e(),_vm._v(\" \"),_c('FileEntryCheckbox',{attrs:{\"fileid\":_vm.fileid,\"is-loading\":_vm.isLoading,\"nodes\":_vm.nodes,\"source\":_vm.source}}),_vm._v(\" \"),_c('td',{staticClass:\"files-list__row-name\",attrs:{\"data-cy-files-list-row-name\":\"\"}},[_c('FileEntryPreview',{ref:\"preview\",attrs:{\"source\":_vm.source,\"dragover\":_vm.dragover},nativeOn:{\"click\":function($event){return _vm.execDefaultAction.apply(null, arguments)}}}),_vm._v(\" \"),_c('FileEntryName',{ref:\"name\",attrs:{\"display-name\":_vm.displayName,\"extension\":_vm.extension,\"files-list-width\":_vm.filesListWidth,\"nodes\":_vm.nodes,\"source\":_vm.source},on:{\"click\":_vm.execDefaultAction}})],1),_vm._v(\" \"),_c('FileEntryActions',{directives:[{name:\"show\",rawName:\"v-show\",value:(!_vm.isRenamingSmallScreen),expression:\"!isRenamingSmallScreen\"}],ref:\"actions\",class:`files-list__row-actions-${_vm.uniqueId}`,attrs:{\"files-list-width\":_vm.filesListWidth,\"loading\":_vm.loading,\"opened\":_vm.openedMenu,\"source\":_vm.source},on:{\"update:loading\":function($event){_vm.loading=$event},\"update:opened\":function($event){_vm.openedMenu=$event}}}),_vm._v(\" \"),(!_vm.compact && _vm.isSizeAvailable)?_c('td',{staticClass:\"files-list__row-size\",style:(_vm.sizeOpacity),attrs:{\"data-cy-files-list-row-size\":\"\"},on:{\"click\":_vm.openDetailsIfAvailable}},[_c('span',[_vm._v(_vm._s(_vm.size))])]):_vm._e(),_vm._v(\" \"),(!_vm.compact && _vm.isMtimeAvailable)?_c('td',{staticClass:\"files-list__row-mtime\",style:(_vm.mtimeOpacity),attrs:{\"data-cy-files-list-row-mtime\":\"\"},on:{\"click\":_vm.openDetailsIfAvailable}},[_c('NcDateTime',{attrs:{\"timestamp\":_vm.source.mtime,\"ignore-seconds\":true}})],1):_vm._e(),_vm._v(\" \"),_vm._l((_vm.columns),function(column){return _c('td',{key:column.id,staticClass:\"files-list__row-column-custom\",class:`files-list__row-${_vm.currentView?.id}-${column.id}`,attrs:{\"data-cy-files-list-row-column-custom\":column.id},on:{\"click\":_vm.openDetailsIfAvailable}},[_c('CustomElementRender',{attrs:{\"current-view\":_vm.currentView,\"render\":column.render,\"source\":_vm.source}})],1)})],2)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","\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=065722db\"\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,\"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 { render, staticRenderFns } from \"./Folder.vue?vue&type=template&id=5c04f969\"\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,_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 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","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","/**\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 // For now the only restriction is that a shared file\n // cannot be copied if the download is disabled\n return canDownload(nodes);\n};\n","/**\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 { 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 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 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), copySuffix);\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 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 }) : 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 }) : 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 reject(new Error(t('files', 'Cancelled move or copy operation')));\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 */\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","/**\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 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 { 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","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=187c55d7\"\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,\"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 }","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./ChevronRight.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./ChevronRight.vue?vue&type=script&lang=js\"","\n\n","import { render, staticRenderFns } from \"./ChevronRight.vue?vue&type=template&id=750bcc07\"\nimport script from \"./ChevronRight.vue?vue&type=script&lang=js\"\nexport * from \"./ChevronRight.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 chevron-right-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 24 24\"}},[_c('path',{attrs:{\"d\":\"M8.59,16.58L13.17,12L8.59,7.41L10,6L16,12L10,18L8.59,16.58Z\"}},[(_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,\"disabled\":_vm.isLoading || _vm.loading !== '',\"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,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){_vm.openedSubmenu = null}},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=3daa457a&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=3daa457a&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=3daa457a&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=3daa457a&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=3daa457a&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=3daa457a&prod&lang=scss\"\nimport style1 from \"./FileEntryActions.vue?vue&type=style&index=1&id=3daa457a&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 \"3daa457a\",\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=336f0c33\"\nimport script from \"./FileEntryCheckbox.vue?vue&type=script&lang=ts\"\nexport * from \"./FileEntryCheckbox.vue?vue&type=script&lang=ts\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return (_vm.isRenaming)?_c('form',{directives:[{name:\"on-click-outside\",rawName:\"v-on-click-outside\",value:(_vm.stopRenaming),expression:\"stopRenaming\"}],staticClass:\"files-list__row-rename\",attrs:{\"aria-label\":_vm.t('files', 'Rename file')},on:{\"submit\":function($event){$event.preventDefault();$event.stopPropagation();return _vm.onRename.apply(null, arguments)}}},[_c('NcTextField',{ref:\"renameInput\",attrs:{\"label\":_vm.renameLabel,\"autofocus\":true,\"minlength\":1,\"required\":true,\"value\":_vm.newName,\"enterkeyhint\":\"done\"},on:{\"update:value\":function($event){_vm.newName=$event},\"keyup\":[_vm.checkInputValidity,function($event){if(!$event.type.indexOf('key')&&_vm._k($event.keyCode,\"esc\",27,$event.key,[\"Esc\",\"Escape\"]))return null;return _vm.stopRenaming.apply(null, arguments)}]}})],1):_c(_vm.linkTo.is,_vm._b({ref:\"basename\",tag:\"component\",staticClass:\"files-list__row-name-link\",attrs:{\"aria-hidden\":_vm.isRenaming,\"data-cy-files-list-row-name-link\":\"\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'component',_vm.linkTo.params,false),[_c('span',{staticClass:\"files-list__row-name-text\"},[_c('span',{staticClass:\"files-list__row-name-\",domProps:{\"textContent\":_vm._s(_vm.displayName)}}),_vm._v(\" \"),_c('span',{staticClass:\"files-list__row-name-ext\",domProps:{\"textContent\":_vm._s(_vm.extension)}})])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../../../../../node_modules/babel-loader/lib/index.js!../../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FileEntryName.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../../node_modules/babel-loader/lib/index.js!../../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FileEntryName.vue?vue&type=script&lang=ts\"","import { render, staticRenderFns } from \"./FileEntryName.vue?vue&type=template&id=637facfc\"\nimport script from \"./FileEntryName.vue?vue&type=script&lang=ts\"\nexport * from \"./FileEntryName.vue?vue&type=script&lang=ts\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('span',{staticClass:\"files-list__row-icon\"},[(_vm.source.type === 'folder')?[(_vm.dragover)?_vm._m(0):[_vm._m(1),_vm._v(\" \"),(_vm.folderOverlay)?_c(_vm.folderOverlay,{tag:\"OverlayIcon\",staticClass:\"files-list__row-icon-overlay\"}):_vm._e()]]:(_vm.previewUrl && _vm.backgroundFailed !== true)?_c('img',{ref:\"previewImg\",staticClass:\"files-list__row-icon-preview\",class:{'files-list__row-icon-preview--loaded': _vm.backgroundFailed === false},attrs:{\"alt\":\"\",\"loading\":\"lazy\",\"src\":_vm.previewUrl},on:{\"error\":function($event){_vm.backgroundFailed = true},\"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!./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=98f97aee\"\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,\"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!./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\"","\n\n","import { render, staticRenderFns } from \"./File.vue?vue&type=template&id=5c8d96c6\"\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,\"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=3b29b1d5\"\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,\"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=aa295eae\"\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,\"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=7c7d2907\"\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,\"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=4d7171be\"\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,\"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=34d1e782\"\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,\"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=77afa6dc&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=77afa6dc&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=77afa6dc&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=77afa6dc&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 \"77afa6dc\",\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=3c23da48\"\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\"","import { render, staticRenderFns } from \"./FileEntry.vue?vue&type=template&id=63ef3b44\"\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","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('tr',{staticClass:\"files-list__row\",class:{'files-list__row--active': _vm.isActive, 'files-list__row--dragover': _vm.dragover, 'files-list__row--loading': _vm.isLoading},attrs:{\"data-cy-files-list-row\":\"\",\"data-cy-files-list-row-fileid\":_vm.fileid,\"data-cy-files-list-row-name\":_vm.source.basename,\"draggable\":_vm.canDrag},on:{\"contextmenu\":_vm.onRightClick,\"dragover\":_vm.onDragOver,\"dragleave\":_vm.onDragLeave,\"dragstart\":_vm.onDragStart,\"dragend\":_vm.onDragEnd,\"drop\":_vm.onDrop}},[(_vm.source.attributes.failed)?_c('span',{staticClass:\"files-list__row--failed\"}):_vm._e(),_vm._v(\" \"),_c('FileEntryCheckbox',{attrs:{\"fileid\":_vm.fileid,\"is-loading\":_vm.isLoading,\"nodes\":_vm.nodes,\"source\":_vm.source}}),_vm._v(\" \"),_c('td',{staticClass:\"files-list__row-name\",attrs:{\"data-cy-files-list-row-name\":\"\"}},[_c('FileEntryPreview',{ref:\"preview\",attrs:{\"dragover\":_vm.dragover,\"grid-mode\":true,\"source\":_vm.source},nativeOn:{\"click\":function($event){return _vm.execDefaultAction.apply(null, arguments)}}}),_vm._v(\" \"),_c('FileEntryName',{ref:\"name\",attrs:{\"display-name\":_vm.displayName,\"extension\":_vm.extension,\"files-list-width\":_vm.filesListWidth,\"grid-mode\":true,\"nodes\":_vm.nodes,\"source\":_vm.source},on:{\"click\":_vm.execDefaultAction}})],1),_vm._v(\" \"),_c('FileEntryActions',{ref:\"actions\",class:`files-list__row-actions-${_vm.uniqueId}`,attrs:{\"files-list-width\":_vm.filesListWidth,\"grid-mode\":true,\"loading\":_vm.loading,\"opened\":_vm.openedMenu,\"source\":_vm.source},on:{\"update:loading\":function($event){_vm.loading=$event},\"update:opened\":function($event){_vm.openedMenu=$event}}})],1)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import 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\"","import { render, staticRenderFns } from \"./FileEntryGrid.vue?vue&type=template&id=2657090e\"\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","/**\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","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=2fbb2389&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=2fbb2389&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=2fbb2389&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=2fbb2389&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 \"2fbb2389\",\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('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 * @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\"","\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=2dd1845e&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=2dd1845e&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=2dd1845e&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=2dd1845e&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 \"2dd1845e\",\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\"","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 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=769ad83a&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=769ad83a&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=769ad83a&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=769ad83a&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 \"769ad83a\",\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\":\"\"}},[(!!_vm.$scopedSlots['header-overlay'])?_c('div',{staticClass:\"files-list__thead-overlay\"},[_vm._t(\"header-overlay\")],2):_vm._e(),_vm._v(\" \"),_c('div',{ref:\"before\",staticClass:\"files-list__before\"},[_vm._t(\"before\")],2),_vm._v(\" \"),_c('table',{staticClass:\"files-list__table\"},[(_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=26d70c54\"\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","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\"","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('VirtualList',{ref:\"table\",attrs:{\"data-component\":_vm.userConfig.grid_view ? _vm.FileEntryGrid : _vm.FileEntry,\"data-key\":'source',\"data-sources\":_vm.nodes,\"grid-mode\":_vm.userConfig.grid_view,\"extra-props\":{\n\t\tisMtimeAvailable: _vm.isMtimeAvailable,\n\t\tisSizeAvailable: _vm.isSizeAvailable,\n\t\tnodes: _vm.nodes,\n\t\tfilesListWidth: _vm.filesListWidth,\n\t},\"scroll-to-index\":_vm.scrollToIndex,\"caption\":_vm.caption},scopedSlots:_vm._u([(!_vm.isNoneSelected)?{key:\"header-overlay\",fn:function(){return [_c('FilesListTableHeaderActions',{attrs:{\"current-view\":_vm.currentView,\"selected-nodes\":_vm.selectedNodes}})]},proxy:true}:null,{key:\"before\",fn:function(){return _vm._l((_vm.sortedHeaders),function(header){return _c('FilesListHeader',{key:header.id,attrs:{\"current-folder\":_vm.currentFolder,\"current-view\":_vm.currentView,\"header\":header}})})},proxy:true},{key:\"header\",fn:function(){return [_c('FilesListTableHeader',{ref:\"thead\",attrs:{\"files-list-width\":_vm.filesListWidth,\"is-mtime-available\":_vm.isMtimeAvailable,\"is-size-available\":_vm.isSizeAvailable,\"nodes\":_vm.nodes}})]},proxy:true},{key:\"footer\",fn:function(){return [_c('FilesListTableFooter',{attrs:{\"files-list-width\":_vm.filesListWidth,\"is-mtime-available\":_vm.isMtimeAvailable,\"is-size-available\":_vm.isSizeAvailable,\"nodes\":_vm.nodes,\"summary\":_vm.summary}})]},proxy:true}],null,true)})\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","\n 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=056855cd&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=056855cd&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=056855cd&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=056855cd&prod&lang=scss\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./FilesListVirtual.vue?vue&type=template&id=056855cd&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=056855cd&prod&scoped=true&lang=scss\"\nimport style1 from \"./FilesListVirtual.vue?vue&type=style&index=1&id=056855cd&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 \"056855cd\",\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=547c388d\"\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,\"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 }","/**\n * @copyright Copyright (c) 2023 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 { davGetClient, davGetDefaultPropfind, davResultToNode, davRootPath } from '@nextcloud/files';\nimport { emit } from '@nextcloud/event-bus';\nimport { getUploader } from '@nextcloud/upload';\nimport { joinPaths } from '@nextcloud/paths';\nimport { showError } from '@nextcloud/dialogs';\nimport { translate as t } from '@nextcloud/l10n';\nimport logger from '../logger.js';\nexport const handleDrop = async (data) => {\n // TODO: Maybe handle `getAsFileSystemHandle()` in the future\n const uploads = [];\n for (const item of data.items) {\n if (item.kind !== 'file') {\n logger.debug('Skipping dropped item', { kind: item.kind, type: item.type });\n continue;\n }\n // MDN recommends to try both, as it might be renamed in the future\n const entry = item?.getAsEntry?.() ?? item.webkitGetAsEntry();\n // Handle browser issues if Filesystem API is not available. Fallback to File API\n if (entry === null) {\n logger.debug('Could not get FilesystemEntry of item, falling back to file');\n const file = item.getAsFile();\n if (file === null) {\n logger.warn('Could not process DataTransferItem', { type: item.type, kind: item.kind });\n showError(t('files', 'One of the dropped files could not be processed'));\n }\n else {\n uploads.push(await handleFileUpload(file));\n }\n }\n else {\n logger.debug('Handle recursive upload', { entry: entry.name });\n // Use Filesystem API\n uploads.push(...await handleRecursiveUpload(entry));\n }\n }\n return uploads;\n};\nconst handleFileUpload = async (file, path = '') => {\n const uploader = getUploader();\n try {\n return await uploader.upload(`${path}${file.name}`, file);\n }\n catch (e) {\n showError(t('files', 'Uploading \"{filename}\" failed', { filename: file.name }));\n throw e;\n }\n};\nconst handleRecursiveUpload = async (entry, path = '') => {\n if (entry.isFile) {\n return [\n await new Promise((resolve, reject) => {\n entry.file(async (file) => resolve(await handleFileUpload(file, path)), (error) => reject(error));\n }),\n ];\n }\n else {\n const directory = entry;\n // TODO: Implement this on `@nextcloud/upload`\n const absolutPath = joinPaths(davRootPath, getUploader().destination.path, path, directory.name);\n logger.debug('Handle directory recursively', { name: directory.name, absolutPath });\n const davClient = davGetClient();\n const dirExists = await davClient.exists(absolutPath);\n if (!dirExists) {\n logger.debug('Directory does not exist, creating it', { absolutPath });\n await davClient.createDirectory(absolutPath, { recursive: true });\n const stat = await davClient.stat(absolutPath, { details: true, data: davGetDefaultPropfind() });\n emit('files:node:created', davResultToNode(stat.data));\n }\n const entries = await readDirectory(directory);\n // sorted so we upload files first before starting next level\n const promises = entries.sort((a) => a.isFile ? -1 : 1)\n .map((file) => handleRecursiveUpload(file, `${path}${directory.name}/`));\n return (await Promise.all(promises)).flat();\n }\n};\n/**\n * Read a directory using Filesystem API\n * @param directory the directory to read\n */\nfunction 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}\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!./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\",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=069817aa&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=069817aa&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=069817aa&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=069817aa&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 \"069817aa\",\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=02896d42&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=02896d42&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=02896d42&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=02896d42&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 \"02896d42\",\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 Vue from 'vue';\nimport { createPinia, PiniaVuePlugin } from 'pinia';\nimport { getNavigation } from '@nextcloud/files';\nimport { getRequestToken } from '@nextcloud/auth';\nimport FilesListView from './views/FilesList.vue';\nimport NavigationView from './views/Navigation.vue';\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);\nconst pinia = createPinia();\n// Init Navigation Service\nconst Navigation = 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._file-picker__file-icon_1vgv4_5 {\n width: 32px;\n height: 32px;\n min-width: 32px;\n min-height: 32px;\n background-repeat: no-repeat;\n background-size: contain;\n display: flex;\n justify-content: center;\n}\ntr.file-picker__row[data-v-6aded0d9] {\n height: var(--row-height, 50px);\n}\ntr.file-picker__row td[data-v-6aded0d9] {\n cursor: pointer;\n overflow: hidden;\n text-overflow: ellipsis;\n border-bottom: none;\n}\ntr.file-picker__row td.row-checkbox[data-v-6aded0d9] {\n padding: 0 2px;\n}\ntr.file-picker__row td[data-v-6aded0d9]:not(.row-checkbox) {\n padding-inline: 14px 0;\n}\ntr.file-picker__row td.row-size[data-v-6aded0d9] {\n text-align: end;\n padding-inline: 0 14px;\n}\ntr.file-picker__row td.row-name[data-v-6aded0d9] {\n padding-inline: 2px 0;\n}\n@keyframes gradient-6aded0d9 {\n 0% {\n background-position: 0% 50%;\n }\n 50% {\n background-position: 100% 50%;\n }\n to {\n background-position: 0% 50%;\n }\n}\n.loading-row .row-checkbox[data-v-6aded0d9] {\n text-align: center !important;\n}\n.loading-row span[data-v-6aded0d9] {\n display: inline-block;\n height: 24px;\n background: linear-gradient(to right, var(--color-background-darker), var(--color-text-maxcontrast), var(--color-background-darker));\n background-size: 600px 100%;\n border-radius: var(--border-radius);\n animation: gradient-6aded0d9 12s ease infinite;\n}\n.loading-row .row-wrapper[data-v-6aded0d9] {\n display: inline-flex;\n align-items: center;\n}\n.loading-row .row-checkbox span[data-v-6aded0d9] {\n width: 24px;\n}\n.loading-row .row-name span[data-v-6aded0d9]:last-of-type {\n margin-inline-start: 6px;\n width: 130px;\n}\n.loading-row .row-size span[data-v-6aded0d9] {\n width: 80px;\n}\n.loading-row .row-modified span[data-v-6aded0d9] {\n width: 90px;\n}\ntr.file-picker__row[data-v-48df4f27] {\n height: var(--row-height, 50px);\n}\ntr.file-picker__row td[data-v-48df4f27] {\n cursor: pointer;\n overflow: hidden;\n text-overflow: ellipsis;\n border-bottom: none;\n}\ntr.file-picker__row td.row-checkbox[data-v-48df4f27] {\n padding: 0 2px;\n}\ntr.file-picker__row td[data-v-48df4f27]:not(.row-checkbox) {\n padding-inline: 14px 0;\n}\ntr.file-picker__row td.row-size[data-v-48df4f27] {\n text-align: end;\n padding-inline: 0 14px;\n}\ntr.file-picker__row td.row-name[data-v-48df4f27] {\n padding-inline: 2px 0;\n}\n.file-picker__row--selected[data-v-48df4f27] {\n background-color: var(--color-background-dark);\n}\n.file-picker__row[data-v-48df4f27]:hover {\n background-color: var(--color-background-hover);\n}\n.file-picker__name-container[data-v-48df4f27] {\n display: flex;\n justify-content: start;\n align-items: center;\n height: 100%;\n}\n.file-picker__file-name[data-v-48df4f27] {\n padding-inline-start: 6px;\n min-width: 0;\n overflow: hidden;\n text-overflow: ellipsis;\n}\n.file-picker__file-extension[data-v-48df4f27] {\n color: var(--color-text-maxcontrast);\n min-width: fit-content;\n}\n.file-picker__header-preview[data-v-d3c94818] {\n width: 22px;\n height: 32px;\n flex: 0 0 auto;\n}\n.file-picker__files[data-v-d3c94818] {\n margin: 2px;\n margin-inline-start: 12px;\n overflow: scroll auto;\n}\n.file-picker__files table[data-v-d3c94818] {\n width: 100%;\n max-height: 100%;\n table-layout: fixed;\n}\n.file-picker__files th[data-v-d3c94818] {\n position: sticky;\n z-index: 1;\n top: 0;\n background-color: var(--color-main-background);\n padding: 2px;\n}\n.file-picker__files th .header-wrapper[data-v-d3c94818] {\n display: flex;\n}\n.file-picker__files th.row-checkbox[data-v-d3c94818] {\n width: 44px;\n}\n.file-picker__files th.row-name[data-v-d3c94818] {\n width: 230px;\n}\n.file-picker__files th.row-size[data-v-d3c94818] {\n width: 100px;\n}\n.file-picker__files th.row-modified[data-v-d3c94818] {\n width: 120px;\n}\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue__wrapper {\n justify-content: start;\n flex-direction: row-reverse;\n}\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue {\n padding-inline: 16px 4px;\n}\n.file-picker__files th.row-size[data-v-d3c94818] .button-vue__wrapper {\n justify-content: end;\n}\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper {\n color: var(--color-text-maxcontrast);\n}\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper .button-vue__text {\n font-weight: 400;\n}\n.file-picker__breadcrumbs[data-v-3bc9efa5] {\n flex-grow: 0 !important;\n}\n.file-picker__side[data-v-e96bec41] {\n display: flex;\n flex-direction: column;\n align-items: stretch;\n gap: .5rem;\n min-width: 200px;\n padding: 2px;\n overflow: auto;\n}\n.file-picker__side[data-v-e96bec41] .button-vue__wrapper {\n justify-content: start;\n}\n.file-picker__filter-input[data-v-e96bec41] {\n margin-block: 7px;\n max-width: 260px;\n}\n@media (max-width: 736px) {\n .file-picker__side[data-v-e96bec41] {\n flex-direction: row;\n min-width: unset;\n }\n}\n@media (max-width: 512px) {\n .file-picker__side[data-v-e96bec41] {\n flex-direction: row;\n min-width: unset;\n }\n .file-picker__filter-input[data-v-e96bec41] {\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-c6479356] {\n height: 50px;\n display: flex;\n justify-content: start;\n align-items: center;\n}\n.file-picker__view h3[data-v-c6479356] {\n font-weight: 700;\n height: fit-content;\n margin: 0;\n}\n.file-picker__main[data-v-c6479356] {\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-c6479356] {\n box-sizing: border-box;\n}\n[data-v-c6479356] .file-picker {\n height: min(80vh, 800px) !important;\n}\n@media (max-width: 512px) {\n [data-v-c6479356] .file-picker {\n height: calc(100% - 16px - var(--default-clickable-area)) !important;\n }\n}\n[data-v-c6479356] .file-picker__content {\n display: flex;\n flex-direction: column;\n overflow: hidden;\n}\n`, \"\",{\"version\":3,\"sources\":[\"webpack://./node_modules/@nextcloud/dialogs/dist/style.css\"],\"names\":[],\"mappings\":\"AAAA,gBAAgB;AAChB;;;;;;;;;;;;;;;;;;;;EAoBE;AACF;EACE,gBAAgB;EAChB,gBAAgB;EAChB,8CAA8C;EAC9C,6BAA6B;EAC7B,6CAA6C;EAC7C,eAAe;EACf,gBAAgB;EAChB,eAAe;EACf,cAAc;EACd,mCAAmC;EACnC,aAAa;EACb,mBAAmB;AACrB;AACA;EACE,aAAa;EACb,mBAAmB;AACrB;AACA;;EAEE,gBAAgB;EAChB,gBAAgB;EAChB,sBAAsB;EACtB,eAAe;EACf,YAAY;EACZ,aAAa;EACb,mBAAmB;EACnB,4BAA4B;EAC5B,2BAA2B;EAC3B,6BAA6B;EAC7B,aAAa;AACf;AACA;;EAEE,cAAc;EACd,WAAW;EACX,YAAY;EACZ,gBAAgB;EAChB,iBAAiB;EACjB,YAAY;AACd;AACA;;EAEE,yDAA8Q;EAC9Q,YAAY;EACZ,wCAAwC;EACxC,qBAAqB;EACrB,WAAW;EACX,YAAY;AACd;AACA;;EAEE,wBAAwB;EACxB,wBAAwB;AAC1B;AACA;;;;;;EAME,eAAe;EACf,UAAU;AACZ;AACA;EACE,WAAW;AACb;AACA;EACE,eAAe;AACjB;AACA;EACE,yCAAyC;AAC3C;AACA;EACE,2CAA2C;AAC7C;AACA;EACE,2CAA2C;AAC7C;AACA;;EAEE,2CAA2C;AAC7C;AACA;EACE,yDAAsT;AACxT;AACA;EACE,WAAW;EACX,YAAY;EACZ,eAAe;EACf,gBAAgB;EAChB,4BAA4B;EAC5B,wBAAwB;EACxB,aAAa;EACb,uBAAuB;AACzB;AACA;EACE,+BAA+B;AACjC;AACA;EACE,eAAe;EACf,gBAAgB;EAChB,uBAAuB;EACvB,mBAAmB;AACrB;AACA;EACE,cAAc;AAChB;AACA;EACE,sBAAsB;AACxB;AACA;EACE,eAAe;EACf,sBAAsB;AACxB;AACA;EACE,qBAAqB;AACvB;AACA;EACE;IACE,2BAA2B;EAC7B;EACA;IACE,6BAA6B;EAC/B;EACA;IACE,2BAA2B;EAC7B;AACF;AACA;EACE,6BAA6B;AAC/B;AACA;EACE,qBAAqB;EACrB,YAAY;EACZ,oIAAoI;EACpI,2BAA2B;EAC3B,mCAAmC;EACnC,8CAA8C;AAChD;AACA;EACE,oBAAoB;EACpB,mBAAmB;AACrB;AACA;EACE,WAAW;AACb;AACA;EACE,wBAAwB;EACxB,YAAY;AACd;AACA;EACE,WAAW;AACb;AACA;EACE,WAAW;AACb;AACA;EACE,+BAA+B;AACjC;AACA;EACE,eAAe;EACf,gBAAgB;EAChB,uBAAuB;EACvB,mBAAmB;AACrB;AACA;EACE,cAAc;AAChB;AACA;EACE,sBAAsB;AACxB;AACA;EACE,eAAe;EACf,sBAAsB;AACxB;AACA;EACE,qBAAqB;AACvB;AACA;EACE,8CAA8C;AAChD;AACA;EACE,+CAA+C;AACjD;AACA;EACE,aAAa;EACb,sBAAsB;EACtB,mBAAmB;EACnB,YAAY;AACd;AACA;EACE,yBAAyB;EACzB,YAAY;EACZ,gBAAgB;EAChB,uBAAuB;AACzB;AACA;EACE,oCAAoC;EACpC,sBAAsB;AACxB;AACA;EACE,WAAW;EACX,YAAY;EACZ,cAAc;AAChB;AACA;EACE,WAAW;EACX,yBAAyB;EACzB,qBAAqB;AACvB;AACA;EACE,WAAW;EACX,gBAAgB;EAChB,mBAAmB;AACrB;AACA;EACE,gBAAgB;EAChB,UAAU;EACV,MAAM;EACN,8CAA8C;EAC9C,YAAY;AACd;AACA;EACE,aAAa;AACf;AACA;EACE,WAAW;AACb;AACA;EACE,YAAY;AACd;AACA;EACE,YAAY;AACd;AACA;EACE,YAAY;AACd;AACA;EACE,sBAAsB;EACtB,2BAA2B;AAC7B;AACA;EACE,wBAAwB;AAC1B;AACA;EACE,oBAAoB;AACtB;AACA;EACE,oCAAoC;AACtC;AACA;EACE,gBAAgB;AAClB;AACA;EACE,uBAAuB;AACzB;AACA;EACE,aAAa;EACb,sBAAsB;EACtB,oBAAoB;EACpB,UAAU;EACV,gBAAgB;EAChB,YAAY;EACZ,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._file-picker__file-icon_1vgv4_5 {\\n width: 32px;\\n height: 32px;\\n min-width: 32px;\\n min-height: 32px;\\n background-repeat: no-repeat;\\n background-size: contain;\\n display: flex;\\n justify-content: center;\\n}\\ntr.file-picker__row[data-v-6aded0d9] {\\n height: var(--row-height, 50px);\\n}\\ntr.file-picker__row td[data-v-6aded0d9] {\\n cursor: pointer;\\n overflow: hidden;\\n text-overflow: ellipsis;\\n border-bottom: none;\\n}\\ntr.file-picker__row td.row-checkbox[data-v-6aded0d9] {\\n padding: 0 2px;\\n}\\ntr.file-picker__row td[data-v-6aded0d9]:not(.row-checkbox) {\\n padding-inline: 14px 0;\\n}\\ntr.file-picker__row td.row-size[data-v-6aded0d9] {\\n text-align: end;\\n padding-inline: 0 14px;\\n}\\ntr.file-picker__row td.row-name[data-v-6aded0d9] {\\n padding-inline: 2px 0;\\n}\\n@keyframes gradient-6aded0d9 {\\n 0% {\\n background-position: 0% 50%;\\n }\\n 50% {\\n background-position: 100% 50%;\\n }\\n to {\\n background-position: 0% 50%;\\n }\\n}\\n.loading-row .row-checkbox[data-v-6aded0d9] {\\n text-align: center !important;\\n}\\n.loading-row span[data-v-6aded0d9] {\\n display: inline-block;\\n height: 24px;\\n background: linear-gradient(to right, var(--color-background-darker), var(--color-text-maxcontrast), var(--color-background-darker));\\n background-size: 600px 100%;\\n border-radius: var(--border-radius);\\n animation: gradient-6aded0d9 12s ease infinite;\\n}\\n.loading-row .row-wrapper[data-v-6aded0d9] {\\n display: inline-flex;\\n align-items: center;\\n}\\n.loading-row .row-checkbox span[data-v-6aded0d9] {\\n width: 24px;\\n}\\n.loading-row .row-name span[data-v-6aded0d9]:last-of-type {\\n margin-inline-start: 6px;\\n width: 130px;\\n}\\n.loading-row .row-size span[data-v-6aded0d9] {\\n width: 80px;\\n}\\n.loading-row .row-modified span[data-v-6aded0d9] {\\n width: 90px;\\n}\\ntr.file-picker__row[data-v-48df4f27] {\\n height: var(--row-height, 50px);\\n}\\ntr.file-picker__row td[data-v-48df4f27] {\\n cursor: pointer;\\n overflow: hidden;\\n text-overflow: ellipsis;\\n border-bottom: none;\\n}\\ntr.file-picker__row td.row-checkbox[data-v-48df4f27] {\\n padding: 0 2px;\\n}\\ntr.file-picker__row td[data-v-48df4f27]:not(.row-checkbox) {\\n padding-inline: 14px 0;\\n}\\ntr.file-picker__row td.row-size[data-v-48df4f27] {\\n text-align: end;\\n padding-inline: 0 14px;\\n}\\ntr.file-picker__row td.row-name[data-v-48df4f27] {\\n padding-inline: 2px 0;\\n}\\n.file-picker__row--selected[data-v-48df4f27] {\\n background-color: var(--color-background-dark);\\n}\\n.file-picker__row[data-v-48df4f27]:hover {\\n background-color: var(--color-background-hover);\\n}\\n.file-picker__name-container[data-v-48df4f27] {\\n display: flex;\\n justify-content: start;\\n align-items: center;\\n height: 100%;\\n}\\n.file-picker__file-name[data-v-48df4f27] {\\n padding-inline-start: 6px;\\n min-width: 0;\\n overflow: hidden;\\n text-overflow: ellipsis;\\n}\\n.file-picker__file-extension[data-v-48df4f27] {\\n color: var(--color-text-maxcontrast);\\n min-width: fit-content;\\n}\\n.file-picker__header-preview[data-v-d3c94818] {\\n width: 22px;\\n height: 32px;\\n flex: 0 0 auto;\\n}\\n.file-picker__files[data-v-d3c94818] {\\n margin: 2px;\\n margin-inline-start: 12px;\\n overflow: scroll auto;\\n}\\n.file-picker__files table[data-v-d3c94818] {\\n width: 100%;\\n max-height: 100%;\\n table-layout: fixed;\\n}\\n.file-picker__files th[data-v-d3c94818] {\\n position: sticky;\\n z-index: 1;\\n top: 0;\\n background-color: var(--color-main-background);\\n padding: 2px;\\n}\\n.file-picker__files th .header-wrapper[data-v-d3c94818] {\\n display: flex;\\n}\\n.file-picker__files th.row-checkbox[data-v-d3c94818] {\\n width: 44px;\\n}\\n.file-picker__files th.row-name[data-v-d3c94818] {\\n width: 230px;\\n}\\n.file-picker__files th.row-size[data-v-d3c94818] {\\n width: 100px;\\n}\\n.file-picker__files th.row-modified[data-v-d3c94818] {\\n width: 120px;\\n}\\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue__wrapper {\\n justify-content: start;\\n flex-direction: row-reverse;\\n}\\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue {\\n padding-inline: 16px 4px;\\n}\\n.file-picker__files th.row-size[data-v-d3c94818] .button-vue__wrapper {\\n justify-content: end;\\n}\\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper {\\n color: var(--color-text-maxcontrast);\\n}\\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper .button-vue__text {\\n font-weight: 400;\\n}\\n.file-picker__breadcrumbs[data-v-3bc9efa5] {\\n flex-grow: 0 !important;\\n}\\n.file-picker__side[data-v-e96bec41] {\\n display: flex;\\n flex-direction: column;\\n align-items: stretch;\\n gap: .5rem;\\n min-width: 200px;\\n padding: 2px;\\n overflow: auto;\\n}\\n.file-picker__side[data-v-e96bec41] .button-vue__wrapper {\\n justify-content: start;\\n}\\n.file-picker__filter-input[data-v-e96bec41] {\\n margin-block: 7px;\\n max-width: 260px;\\n}\\n@media (max-width: 736px) {\\n .file-picker__side[data-v-e96bec41] {\\n flex-direction: row;\\n min-width: unset;\\n }\\n}\\n@media (max-width: 512px) {\\n .file-picker__side[data-v-e96bec41] {\\n flex-direction: row;\\n min-width: unset;\\n }\\n .file-picker__filter-input[data-v-e96bec41] {\\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-c6479356] {\\n height: 50px;\\n display: flex;\\n justify-content: start;\\n align-items: center;\\n}\\n.file-picker__view h3[data-v-c6479356] {\\n font-weight: 700;\\n height: fit-content;\\n margin: 0;\\n}\\n.file-picker__main[data-v-c6479356] {\\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-c6479356] {\\n box-sizing: border-box;\\n}\\n[data-v-c6479356] .file-picker {\\n height: min(80vh, 800px) !important;\\n}\\n@media (max-width: 512px) {\\n [data-v-c6479356] .file-picker {\\n height: calc(100% - 16px - var(--default-clickable-area)) !important;\\n }\\n}\\n[data-v-c6479356] .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-af4c69fa] {\n display: inline-flex;\n align-items: center;\n height: 44px;\n}\n.upload-picker__progress[data-v-af4c69fa] {\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-af4c69fa] {\n overflow: hidden;\n white-space: nowrap;\n text-overflow: ellipsis;\n}\n.upload-picker--uploading .upload-picker__progress[data-v-af4c69fa] {\n max-width: 200px;\n margin-right: 20px;\n margin-left: 8px;\n}\n.upload-picker--paused .upload-picker__progress[data-v-af4c69fa] {\n animation: breathing-af4c69fa 3s ease-out infinite normal;\n}\n@keyframes breathing-af4c69fa {\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-7900cbe9.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-af4c69fa] {\\n display: inline-flex;\\n align-items: center;\\n height: 44px;\\n}\\n.upload-picker__progress[data-v-af4c69fa] {\\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-af4c69fa] {\\n overflow: hidden;\\n white-space: nowrap;\\n text-overflow: ellipsis;\\n}\\n.upload-picker--uploading .upload-picker__progress[data-v-af4c69fa] {\\n max-width: 200px;\\n margin-right: 20px;\\n margin-left: 8px;\\n}\\n.upload-picker--paused .upload-picker__progress[data-v-af4c69fa] {\\n animation: breathing-af4c69fa 3s ease-out infinite normal;\\n}\\n@keyframes breathing-af4c69fa {\\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, `.breadcrumb[data-v-1c4866bc]{flex:1 1 100% !important;width:100%}.breadcrumb[data-v-1c4866bc] a{cursor:pointer !important}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/components/BreadCrumbs.vue\"],\"names\":[],\"mappings\":\"AACA,6BAEC,wBAAA,CACA,UAAA,CAEA,+BACC,yBAAA\",\"sourcesContent\":[\"\\n.breadcrumb {\\n\\t// Take as much space as possible\\n\\tflex: 1 1 100% !important;\\n\\twidth: 100%;\\n\\n\\t::v-deep a {\\n\\t\\tcursor: pointer !important;\\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-drop-notice[data-v-069817aa]{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-069817aa]{margin-left:16px;color:inherit}.files-list__drag-drop-notice-wrapper[data-v-069817aa]{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-77afa6dc]{color:#a08b00;min-width:unset !important;min-height:unset !important}.favorite-marker-icon[data-v-77afa6dc] svg{width:26px !important;height:26px !important;max-width:unset !important;max-height:unset !important}.favorite-marker-icon[data-v-77afa6dc] 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, `.app-content[style*=mouse-pos-x] .v-popper__popper{transform:translate3d(var(--mouse-pos-x), var(--mouse-pos-y), 0px) !important}.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), 0px) !important}.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,mDACC,6EAAA,CAGA,8EACC,0FAAA,CAGD,8EACC,YAAA\",\"sourcesContent\":[\"\\n// Allow right click to define the position of the menu\\n// only if defined\\n.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\\ttransform: translate3d(var(--mouse-pos-x), calc(var(--mouse-pos-y) - 50vh), 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-3daa457a] .button-vue--icon-and-text .button-vue__text{color:var(--color-primary-element)}[data-v-3daa457a] .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-769ad83a]{user-select:none;color:var(--color-text-maxcontrast) !important}.files-list__column--sortable[data-v-769ad83a]{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-2fbb2389]{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-2dd1845e]{margin:0 calc(var(--cell-margin)*-1);min-width:calc(100% - 3*var(--cell-margin)) !important}.files-list__column-sort-button-text[data-v-2dd1845e]{color:var(--color-text-maxcontrast);font-weight:normal}.files-list__column-sort-button-icon[data-v-2dd1845e]{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-2dd1845e]{inset-inline-start:10px}.files-list__column-sort-button--active .files-list__column-sort-button-icon[data-v-2dd1845e],.files-list__column-sort-button:hover .files-list__column-sort-button-icon[data-v-2dd1845e],.files-list__column-sort-button:focus .files-list__column-sort-button-icon[data-v-2dd1845e],.files-list__column-sort-button:active .files-list__column-sort-button-icon[data-v-2dd1845e]{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-056855cd]{--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;position:relative;overflow:auto;height:100%;will-change:scroll-position}.files-list[data-v-056855cd] tbody{will-change:padding;contain:layout paint style;display:flex;flex-direction:column;width:100%;position:relative}.files-list[data-v-056855cd] tbody tr{contain:strict}.files-list[data-v-056855cd] tbody tr:hover,.files-list[data-v-056855cd] tbody tr:focus{background-color:var(--color-background-dark)}.files-list[data-v-056855cd] .files-list__before{display:flex;flex-direction:column}.files-list[data-v-056855cd] .files-list__table{display:block}.files-list[data-v-056855cd] .files-list__thead-overlay{position:absolute;top:0;left:var(--row-height);right:0;z-index:1000;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-056855cd] .files-list__thead,.files-list[data-v-056855cd] .files-list__tfoot{display:flex;flex-direction:column;width:100%;background-color:var(--color-main-background)}.files-list[data-v-056855cd] .files-list__thead{position:sticky;z-index:10;top:0}.files-list[data-v-056855cd] .files-list__tfoot{min-height:300px}.files-list[data-v-056855cd] 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-056855cd] td,.files-list[data-v-056855cd] 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-056855cd] td span,.files-list[data-v-056855cd] th span{overflow:hidden;white-space:nowrap;text-overflow:ellipsis}.files-list[data-v-056855cd] .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-056855cd] .files-list__row-checkbox{justify-content:center}.files-list[data-v-056855cd] .files-list__row-checkbox .checkbox-radio-switch{display:flex;justify-content:center;--icon-size: var(--checkbox-size)}.files-list[data-v-056855cd] .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-056855cd] .files-list__row-checkbox .checkbox-radio-switch .checkbox-radio-switch__icon{margin:0 !important}.files-list[data-v-056855cd] .files-list__row:hover,.files-list[data-v-056855cd] .files-list__row:focus,.files-list[data-v-056855cd] .files-list__row:active,.files-list[data-v-056855cd] .files-list__row--active,.files-list[data-v-056855cd] .files-list__row--dragover{background-color:var(--color-background-hover);--color-text-maxcontrast: var(--color-main-text)}.files-list[data-v-056855cd] .files-list__row:hover>*,.files-list[data-v-056855cd] .files-list__row:focus>*,.files-list[data-v-056855cd] .files-list__row:active>*,.files-list[data-v-056855cd] .files-list__row--active>*,.files-list[data-v-056855cd] .files-list__row--dragover>*{--color-border: var(--color-border-dark)}.files-list[data-v-056855cd] .files-list__row:hover .favorite-marker-icon svg path,.files-list[data-v-056855cd] .files-list__row:focus .favorite-marker-icon svg path,.files-list[data-v-056855cd] .files-list__row:active .favorite-marker-icon svg path,.files-list[data-v-056855cd] .files-list__row--active .favorite-marker-icon svg path,.files-list[data-v-056855cd] .files-list__row--dragover .favorite-marker-icon svg path{stroke:var(--color-background-hover)}.files-list[data-v-056855cd] .files-list__row--dragover *{pointer-events:none}.files-list[data-v-056855cd] .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-056855cd] .files-list__row-icon *{cursor:pointer}.files-list[data-v-056855cd] .files-list__row-icon>span{justify-content:flex-start}.files-list[data-v-056855cd] .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-056855cd] .files-list__row-icon>span.folder-icon,.files-list[data-v-056855cd] .files-list__row-icon>span.folder-open-icon{margin:-3px}.files-list[data-v-056855cd] .files-list__row-icon>span.folder-icon svg,.files-list[data-v-056855cd] .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-056855cd] .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-056855cd] .files-list__row-icon-preview:not(.files-list__row-icon-preview--loaded){background:var(--color-loading-dark)}.files-list[data-v-056855cd] .files-list__row-icon-favorite{position:absolute;top:0px;right:-10px}.files-list[data-v-056855cd] .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-056855cd] .files-list__row-icon-overlay--file{color:var(--color-main-text);background:var(--color-main-background);border-radius:100%}.files-list[data-v-056855cd] .files-list__row-name{overflow:hidden;flex:1 1 auto}.files-list[data-v-056855cd] .files-list__row-name a{display:flex;align-items:center;width:100%;height:100%;min-width:0}.files-list[data-v-056855cd] .files-list__row-name a:focus-visible{outline:none}.files-list[data-v-056855cd] .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-056855cd] .files-list__row-name a:focus:not(:focus-visible) .files-list__row-name-text{outline:none !important}.files-list[data-v-056855cd] .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-056855cd] .files-list__row-name .files-list__row-name-ext{color:var(--color-text-maxcontrast);overflow:visible}.files-list[data-v-056855cd] .files-list__row-rename{width:100%;max-width:600px}.files-list[data-v-056855cd] .files-list__row-rename input{width:100%;margin-left:-8px;padding:2px 6px;border-width:2px}.files-list[data-v-056855cd] .files-list__row-rename input:invalid{border-color:var(--color-error);color:red}.files-list[data-v-056855cd] .files-list__row-actions{width:auto}.files-list[data-v-056855cd] .files-list__row-actions~td,.files-list[data-v-056855cd] .files-list__row-actions~th{margin:0 var(--cell-margin)}.files-list[data-v-056855cd] .files-list__row-actions button .button-vue__text{font-weight:normal}.files-list[data-v-056855cd] .files-list__row-action--inline{margin-right:7px}.files-list[data-v-056855cd] .files-list__row-mtime,.files-list[data-v-056855cd] .files-list__row-size{color:var(--color-text-maxcontrast)}.files-list[data-v-056855cd] .files-list__row-size{width:calc(var(--row-height)*1.5);justify-content:flex-end}.files-list[data-v-056855cd] .files-list__row-mtime{width:calc(var(--row-height)*2)}.files-list[data-v-056855cd] .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,iBAAA,CACA,aAAA,CACA,WAAA,CACA,2BAAA,CAIC,oCACC,mBAAA,CACA,0BAAA,CACA,YAAA,CACA,qBAAA,CACA,UAAA,CAEA,iBAAA,CAGA,uCACC,cAAA,CACA,0FAEC,6CAAA,CAMH,kDACC,YAAA,CACA,qBAAA,CAGD,iDACC,aAAA,CAGD,yDACC,iBAAA,CACA,KAAA,CACA,sBAAA,CACA,OAAA,CACA,YAAA,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\\tposition: relative;\\n\\toverflow: auto;\\n\\theight: 100%;\\n\\twill-change: scroll-position;\\n\\n\\t& :deep() {\\n\\t\\t// Table head, body and footer\\n\\t\\ttbody {\\n\\t\\t\\twill-change: padding;\\n\\t\\t\\tcontain: layout paint style;\\n\\t\\t\\tdisplay: flex;\\n\\t\\t\\tflex-direction: column;\\n\\t\\t\\twidth: 100%;\\n\\t\\t\\t// Necessary for virtual scrolling absolute\\n\\t\\t\\tposition: relative;\\n\\n\\t\\t\\t/* Hover effect on tbody lines only */\\n\\t\\t\\ttr {\\n\\t\\t\\t\\tcontain: strict;\\n\\t\\t\\t\\t&:hover,\\n\\t\\t\\t\\t&:focus {\\n\\t\\t\\t\\t\\tbackground-color: var(--color-background-dark);\\n\\t\\t\\t\\t}\\n\\t\\t\\t}\\n\\t\\t}\\n\\n\\t\\t// Before table and thead\\n\\t\\t.files-list__before {\\n\\t\\t\\tdisplay: flex;\\n\\t\\t\\tflex-direction: column;\\n\\t\\t}\\n\\n\\t\\t.files-list__table {\\n\\t\\t\\tdisplay: block;\\n\\t\\t}\\n\\n\\t\\t.files-list__thead-overlay {\\n\\t\\t\\tposition: absolute;\\n\\t\\t\\ttop: 0;\\n\\t\\t\\tleft: var(--row-height); // Save space for a row checkbox\\n\\t\\t\\tright: 0;\\n\\t\\t\\tz-index: 1000;\\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-18ceb3ce] .app-navigation-entry__name{margin-top:-6px}.app-navigation-entry__settings-quota progress[data-v-18ceb3ce]{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-02896d42]{display:flex;overflow:hidden;flex-direction:column;max-height:100%;position:relative}.files-list__header[data-v-02896d42]{display:flex;align-items:center;flex:0 0;margin:4px 4px 4px 50px;max-width:100%}.files-list__header>*[data-v-02896d42]{flex:0 0}.files-list__header-share-button[data-v-02896d42]{opacity:.3}.files-list__header-share-button--shared[data-v-02896d42]{opacity:1}.files-list__refresh-icon[data-v-02896d42]{flex:0 0 44px;width:44px;height:44px}.files-list__loading-icon[data-v-02896d42]{margin:auto}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/views/FilesList.vue\"],\"names\":[],\"mappings\":\"AACA,8BAEC,YAAA,CACA,eAAA,CACA,qBAAA,CACA,eAAA,CACA,iBAAA,CAOA,qCACC,YAAA,CACA,kBAAA,CAEA,QAAA,CAEA,uBAAA,CACA,cAAA,CACA,uCAGC,QAAA,CAGD,kDACC,UAAA,CACA,0DACC,SAAA,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;\\n}\\n\\n$margin: 4px;\\n$navigationToggleSize: 50px;\\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\\t// Align with the navigation toggle icon\\n\\t\\tmargin: $margin $margin $margin $navigationToggleSize;\\n\\t\\tmax-width: 100%;\\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\\topacity: .3;\\n\\t\\t\\t&--shared {\\n\\t\\t\\t\\topacity: 1;\\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\\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-49c36efc] .app-navigation-entry-icon{background-repeat:no-repeat;background-position:center}.app-navigation[data-v-49c36efc] .app-navigation-entry.active .button-vue.icon-collapse:not(:hover){color:var(--color-primary-element-text)}.app-navigation>ul.app-navigation__list[data-v-49c36efc]{padding-bottom:var(--default-grid-baseline, 4px)}.app-navigation-entry__settings[data-v-49c36efc]{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-decd355e]: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","var map = {\n\t\"./af\": 42786,\n\t\"./af.js\": 42786,\n\t\"./ar\": 30867,\n\t\"./ar-dz\": 14130,\n\t\"./ar-dz.js\": 14130,\n\t\"./ar-kw\": 96135,\n\t\"./ar-kw.js\": 96135,\n\t\"./ar-ly\": 56440,\n\t\"./ar-ly.js\": 56440,\n\t\"./ar-ma\": 47702,\n\t\"./ar-ma.js\": 47702,\n\t\"./ar-sa\": 16040,\n\t\"./ar-sa.js\": 16040,\n\t\"./ar-tn\": 37100,\n\t\"./ar-tn.js\": 37100,\n\t\"./ar.js\": 30867,\n\t\"./az\": 31083,\n\t\"./az.js\": 31083,\n\t\"./be\": 9808,\n\t\"./be.js\": 9808,\n\t\"./bg\": 68338,\n\t\"./bg.js\": 68338,\n\t\"./bm\": 67438,\n\t\"./bm.js\": 67438,\n\t\"./bn\": 8905,\n\t\"./bn-bd\": 76225,\n\t\"./bn-bd.js\": 76225,\n\t\"./bn.js\": 8905,\n\t\"./bo\": 11560,\n\t\"./bo.js\": 11560,\n\t\"./br\": 1278,\n\t\"./br.js\": 1278,\n\t\"./bs\": 80622,\n\t\"./bs.js\": 80622,\n\t\"./ca\": 2468,\n\t\"./ca.js\": 2468,\n\t\"./cs\": 5822,\n\t\"./cs.js\": 5822,\n\t\"./cv\": 50877,\n\t\"./cv.js\": 50877,\n\t\"./cy\": 47373,\n\t\"./cy.js\": 47373,\n\t\"./da\": 24780,\n\t\"./da.js\": 24780,\n\t\"./de\": 59740,\n\t\"./de-at\": 60217,\n\t\"./de-at.js\": 60217,\n\t\"./de-ch\": 60894,\n\t\"./de-ch.js\": 60894,\n\t\"./de.js\": 59740,\n\t\"./dv\": 5300,\n\t\"./dv.js\": 5300,\n\t\"./el\": 50837,\n\t\"./el.js\": 50837,\n\t\"./en-au\": 78348,\n\t\"./en-au.js\": 78348,\n\t\"./en-ca\": 77925,\n\t\"./en-ca.js\": 77925,\n\t\"./en-gb\": 22243,\n\t\"./en-gb.js\": 22243,\n\t\"./en-ie\": 46436,\n\t\"./en-ie.js\": 46436,\n\t\"./en-il\": 47207,\n\t\"./en-il.js\": 47207,\n\t\"./en-in\": 44175,\n\t\"./en-in.js\": 44175,\n\t\"./en-nz\": 76319,\n\t\"./en-nz.js\": 76319,\n\t\"./en-sg\": 31662,\n\t\"./en-sg.js\": 31662,\n\t\"./eo\": 92915,\n\t\"./eo.js\": 92915,\n\t\"./es\": 55655,\n\t\"./es-do\": 55251,\n\t\"./es-do.js\": 55251,\n\t\"./es-mx\": 96112,\n\t\"./es-mx.js\": 96112,\n\t\"./es-us\": 71146,\n\t\"./es-us.js\": 71146,\n\t\"./es.js\": 55655,\n\t\"./et\": 5603,\n\t\"./et.js\": 5603,\n\t\"./eu\": 77763,\n\t\"./eu.js\": 77763,\n\t\"./fa\": 76959,\n\t\"./fa.js\": 76959,\n\t\"./fi\": 11897,\n\t\"./fi.js\": 11897,\n\t\"./fil\": 42549,\n\t\"./fil.js\": 42549,\n\t\"./fo\": 94694,\n\t\"./fo.js\": 94694,\n\t\"./fr\": 94470,\n\t\"./fr-ca\": 63049,\n\t\"./fr-ca.js\": 63049,\n\t\"./fr-ch\": 52330,\n\t\"./fr-ch.js\": 52330,\n\t\"./fr.js\": 94470,\n\t\"./fy\": 5044,\n\t\"./fy.js\": 5044,\n\t\"./ga\": 29295,\n\t\"./ga.js\": 29295,\n\t\"./gd\": 2101,\n\t\"./gd.js\": 2101,\n\t\"./gl\": 38794,\n\t\"./gl.js\": 38794,\n\t\"./gom-deva\": 27884,\n\t\"./gom-deva.js\": 27884,\n\t\"./gom-latn\": 23168,\n\t\"./gom-latn.js\": 23168,\n\t\"./gu\": 95349,\n\t\"./gu.js\": 95349,\n\t\"./he\": 24206,\n\t\"./he.js\": 24206,\n\t\"./hi\": 30094,\n\t\"./hi.js\": 30094,\n\t\"./hr\": 30316,\n\t\"./hr.js\": 30316,\n\t\"./hu\": 22138,\n\t\"./hu.js\": 22138,\n\t\"./hy-am\": 11423,\n\t\"./hy-am.js\": 11423,\n\t\"./id\": 29218,\n\t\"./id.js\": 29218,\n\t\"./is\": 90135,\n\t\"./is.js\": 90135,\n\t\"./it\": 90626,\n\t\"./it-ch\": 10150,\n\t\"./it-ch.js\": 10150,\n\t\"./it.js\": 90626,\n\t\"./ja\": 39183,\n\t\"./ja.js\": 39183,\n\t\"./jv\": 24286,\n\t\"./jv.js\": 24286,\n\t\"./ka\": 12105,\n\t\"./ka.js\": 12105,\n\t\"./kk\": 47772,\n\t\"./kk.js\": 47772,\n\t\"./km\": 18758,\n\t\"./km.js\": 18758,\n\t\"./kn\": 79282,\n\t\"./kn.js\": 79282,\n\t\"./ko\": 33730,\n\t\"./ko.js\": 33730,\n\t\"./ku\": 1408,\n\t\"./ku.js\": 1408,\n\t\"./ky\": 33291,\n\t\"./ky.js\": 33291,\n\t\"./lb\": 36841,\n\t\"./lb.js\": 36841,\n\t\"./lo\": 55466,\n\t\"./lo.js\": 55466,\n\t\"./lt\": 57010,\n\t\"./lt.js\": 57010,\n\t\"./lv\": 37595,\n\t\"./lv.js\": 37595,\n\t\"./me\": 39861,\n\t\"./me.js\": 39861,\n\t\"./mi\": 35493,\n\t\"./mi.js\": 35493,\n\t\"./mk\": 95966,\n\t\"./mk.js\": 95966,\n\t\"./ml\": 87341,\n\t\"./ml.js\": 87341,\n\t\"./mn\": 5115,\n\t\"./mn.js\": 5115,\n\t\"./mr\": 10370,\n\t\"./mr.js\": 10370,\n\t\"./ms\": 9847,\n\t\"./ms-my\": 41237,\n\t\"./ms-my.js\": 41237,\n\t\"./ms.js\": 9847,\n\t\"./mt\": 72126,\n\t\"./mt.js\": 72126,\n\t\"./my\": 56165,\n\t\"./my.js\": 56165,\n\t\"./nb\": 64924,\n\t\"./nb.js\": 64924,\n\t\"./ne\": 16744,\n\t\"./ne.js\": 16744,\n\t\"./nl\": 93901,\n\t\"./nl-be\": 59814,\n\t\"./nl-be.js\": 59814,\n\t\"./nl.js\": 93901,\n\t\"./nn\": 83877,\n\t\"./nn.js\": 83877,\n\t\"./oc-lnc\": 92135,\n\t\"./oc-lnc.js\": 92135,\n\t\"./pa-in\": 15858,\n\t\"./pa-in.js\": 15858,\n\t\"./pl\": 64495,\n\t\"./pl.js\": 64495,\n\t\"./pt\": 89520,\n\t\"./pt-br\": 57971,\n\t\"./pt-br.js\": 57971,\n\t\"./pt.js\": 89520,\n\t\"./ro\": 96459,\n\t\"./ro.js\": 96459,\n\t\"./ru\": 21793,\n\t\"./ru.js\": 21793,\n\t\"./sd\": 40950,\n\t\"./sd.js\": 40950,\n\t\"./se\": 10490,\n\t\"./se.js\": 10490,\n\t\"./si\": 90124,\n\t\"./si.js\": 90124,\n\t\"./sk\": 64249,\n\t\"./sk.js\": 64249,\n\t\"./sl\": 14985,\n\t\"./sl.js\": 14985,\n\t\"./sq\": 51104,\n\t\"./sq.js\": 51104,\n\t\"./sr\": 49131,\n\t\"./sr-cyrl\": 79915,\n\t\"./sr-cyrl.js\": 79915,\n\t\"./sr.js\": 49131,\n\t\"./ss\": 85893,\n\t\"./ss.js\": 85893,\n\t\"./sv\": 98760,\n\t\"./sv.js\": 98760,\n\t\"./sw\": 91172,\n\t\"./sw.js\": 91172,\n\t\"./ta\": 27333,\n\t\"./ta.js\": 27333,\n\t\"./te\": 23110,\n\t\"./te.js\": 23110,\n\t\"./tet\": 52095,\n\t\"./tet.js\": 52095,\n\t\"./tg\": 27321,\n\t\"./tg.js\": 27321,\n\t\"./th\": 9041,\n\t\"./th.js\": 9041,\n\t\"./tk\": 19005,\n\t\"./tk.js\": 19005,\n\t\"./tl-ph\": 75768,\n\t\"./tl-ph.js\": 75768,\n\t\"./tlh\": 89444,\n\t\"./tlh.js\": 89444,\n\t\"./tr\": 72397,\n\t\"./tr.js\": 72397,\n\t\"./tzl\": 28254,\n\t\"./tzl.js\": 28254,\n\t\"./tzm\": 51106,\n\t\"./tzm-latn\": 30699,\n\t\"./tzm-latn.js\": 30699,\n\t\"./tzm.js\": 51106,\n\t\"./ug-cn\": 9288,\n\t\"./ug-cn.js\": 9288,\n\t\"./uk\": 67691,\n\t\"./uk.js\": 67691,\n\t\"./ur\": 13795,\n\t\"./ur.js\": 13795,\n\t\"./uz\": 6791,\n\t\"./uz-latn\": 60588,\n\t\"./uz-latn.js\": 60588,\n\t\"./uz.js\": 6791,\n\t\"./vi\": 65666,\n\t\"./vi.js\": 65666,\n\t\"./x-pseudo\": 14378,\n\t\"./x-pseudo.js\": 14378,\n\t\"./yo\": 75805,\n\t\"./yo.js\": 75805,\n\t\"./zh-cn\": 83839,\n\t\"./zh-cn.js\": 83839,\n\t\"./zh-hk\": 55726,\n\t\"./zh-hk.js\": 55726,\n\t\"./zh-mo\": 99807,\n\t\"./zh-mo.js\": 99807,\n\t\"./zh-tw\": 74152,\n\t\"./zh-tw.js\": 74152\n};\n\n\nfunction webpackContext(req) {\n\tvar id = webpackContextResolve(req);\n\treturn __webpack_require__(id);\n}\nfunction webpackContextResolve(req) {\n\tif(!__webpack_require__.o(map, req)) {\n\t\tvar e = new Error(\"Cannot find module '\" + req + \"'\");\n\t\te.code = 'MODULE_NOT_FOUND';\n\t\tthrow e;\n\t}\n\treturn map[req];\n}\nwebpackContext.keys = function webpackContextKeys() {\n\treturn Object.keys(map);\n};\nwebpackContext.resolve = webpackContextResolve;\nmodule.exports = webpackContext;\nwebpackContext.id = 46700;",";(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!./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=44de6464\"\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,\"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=18ceb3ce&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=18ceb3ce&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=18ceb3ce&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=18ceb3ce&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 \"18ceb3ce\",\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:{\"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:{\"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:{\"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:{\"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:{\"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=0e008e34\"\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,\"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 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","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\n\n\n\n\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!./Settings.vue?vue&type=style&index=0&id=decd355e&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=decd355e&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=decd355e&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=decd355e&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 \"decd355e\",\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 * @copyright Copyright (c) 2022 Joas Schilling \n *\n * @author Joas Schilling \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\nimport { loadState } from '@nextcloud/initial-state'\n\n/**\n * Set the page heading\n *\n * @param {string} heading page title from the history api\n * @since 27.0.0\n */\nexport function setPageHeading(heading) {\n\tconst headingEl = document.getElementById('page-heading-level-1')\n\tif (headingEl) {\n\t\theadingEl.textContent = heading\n\t}\n}\nexport default {\n\t/**\n\t * @return {boolean} Whether the user opted-out of shortcuts so that they should not be registered\n\t */\n\tdisableKeyboardShortcuts() {\n\t\treturn loadState('theming', 'shortcutsDisabled', false)\n\t},\n\tsetPageHeading,\n}\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!./Navigation.vue?vue&type=style&index=0&id=3f2914e1&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=3f2914e1&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=3f2914e1&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=3f2914e1&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 \"3f2914e1\",\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:{\"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('ShareVariantIcon',{attrs:{\"size\":20}})]},proxy:true}],null,false,2776780758)}):_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', 'Add'))+\"\\n\\t\\t\\t\\t\")]):(_vm.currentFolder)?_c('UploadPicker',{staticClass:\"files-list__header-upload-button\",attrs:{\"content\":_vm.dirContents,\"destination\":_vm.currentFolder,\"multiple\":true},on:{\"failed\":_vm.onUploadFail,\"uploaded\":_vm.onUpload}}):_vm._e()]},proxy:true}])}),_vm._v(\" \"),(_vm.filesListWidth >= 512 && _vm.enableGridView)?_c('NcButton',{staticClass:\"files-list__header-grid-button\",attrs:{\"aria-label\":_vm.gridViewButtonLabel,\"title\":_vm.gridViewButtonLabel,\"type\":\"tertiary\"},on:{\"click\":_vm.toggleGridView},scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [(_vm.userConfig.grid_view)?_c('ListViewIcon'):_c('ViewGridIcon')]},proxy:true}],null,false,1682960703)}):_vm._e(),_vm._v(\" \"),(_vm.isRefreshing)?_c('NcLoadingIcon',{staticClass:\"files-list__refresh-icon\"}):_vm._e()],1),_vm._v(\" \"),(!_vm.loading && _vm.canUpload)?_c('DragAndDropNotice',{attrs:{\"current-folder\":_vm.currentFolder}}):_vm._e(),_vm._v(\" \"),(_vm.loading && !_vm.isRefreshing)?_c('NcLoadingIcon',{staticClass:\"files-list__loading-icon\",attrs:{\"size\":38,\"name\":_vm.t('files', 'Loading current folder')}}):(!_vm.loading && _vm.isEmptyDir)?_c('NcEmptyContent',{attrs:{\"name\":_vm.currentView?.emptyTitle || _vm.t('files', 'No files in here'),\"description\":_vm.currentView?.emptyCaption || _vm.t('files', 'Upload some content or sync with your devices!'),\"data-cy-files-content-empty\":\"\"},scopedSlots:_vm._u([{key:\"action\",fn:function(){return [(_vm.dir !== '/')?_c('NcButton',{attrs:{\"aria-label\":_vm.t('files', 'Go to the previous folder'),\"type\":\"primary\",\"to\":_vm.toPreviousDir}},[_vm._v(\"\\n\\t\\t\\t\\t\"+_vm._s(_vm.t('files', 'Go back'))+\"\\n\\t\\t\\t\")]):_vm._e()]},proxy:true},{key:\"icon\",fn:function(){return [_c('NcIconSvgWrapper',{attrs:{\"svg\":_vm.currentView.icon}})]},proxy:true}])}):_c('FilesListVirtual',{ref:\"filesListVirtual\",attrs:{\"current-folder\":_vm.currentFolder,\"current-view\":_vm.currentView,\"nodes\":_vm.dirContentsSorted}})],1)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","/**\n * natural-orderby v3.0.2\n *\n * Copyright (c) Olaf Ennen\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE.md file in the root directory of this source tree.\n *\n * @license MIT\n */\nvar compareNumbers = function compareNumbers(numberA, numberB) {\n if (numberA < numberB) {\n return -1;\n }\n if (numberA > numberB) {\n return 1;\n }\n return 0;\n};\n\nvar compareUnicode = function compareUnicode(stringA, stringB) {\n var result = stringA.localeCompare(stringB);\n return result ? result / Math.abs(result) : 0;\n};\n\nvar RE_NUMBERS = /(^0x[\\da-fA-F]+$|^([+-]?(?:\\d+(?:\\.\\d*)?|\\.\\d+)(?:[eE][+-]?\\d+)?(?!\\.\\d+)(?=\\D|\\s|$))|\\d+)/g;\nvar RE_LEADING_OR_TRAILING_WHITESPACES = /^\\s+|\\s+$/g; // trim pre-post whitespace\nvar RE_WHITESPACES = /\\s+/g; // normalize all whitespace to single ' ' character\nvar RE_INT_OR_FLOAT = /^[+-]?(?:\\d+(?:\\.\\d*)?|\\.\\d+)(?:[eE][+-]?\\d+)?$/; // identify integers and floats\nvar RE_DATE = /(^([\\w ]+,?[\\w ]+)?[\\w ]+,?[\\w ]+\\d+:\\d+(:\\d+)?[\\w ]?|^\\d{1,4}[/-]\\d{1,4}[/-]\\d{1,4}|^\\w+, \\w+ \\d+, \\d{4})/; // identify date strings\nvar RE_LEADING_ZERO = /^0+[1-9]{1}[0-9]*$/;\n// eslint-disable-next-line no-control-regex\nvar RE_UNICODE_CHARACTERS = /[^\\x00-\\x80]/;\n\nvar stringCompare = function stringCompare(stringA, stringB) {\n if (stringA < stringB) {\n return -1;\n }\n if (stringA > stringB) {\n return 1;\n }\n return 0;\n};\n\nvar compareChunks = function compareChunks(chunksA, chunksB) {\n var lengthA = chunksA.length;\n var lengthB = chunksB.length;\n var size = Math.min(lengthA, lengthB);\n for (var i = 0; i < size; i++) {\n var chunkA = chunksA[i];\n var chunkB = chunksB[i];\n if (chunkA.normalizedString !== chunkB.normalizedString) {\n if (chunkA.normalizedString === '' !== (chunkB.normalizedString === '')) {\n // empty strings have lowest value\n return chunkA.normalizedString === '' ? -1 : 1;\n }\n if (chunkA.parsedNumber !== undefined && chunkB.parsedNumber !== undefined) {\n // compare numbers\n var result = compareNumbers(chunkA.parsedNumber, chunkB.parsedNumber);\n if (result === 0) {\n // compare string value, if parsed numbers are equal\n // Example:\n // chunkA = { parsedNumber: 1, normalizedString: \"001\" }\n // chunkB = { parsedNumber: 1, normalizedString: \"01\" }\n // chunkA.parsedNumber === chunkB.parsedNumber\n // chunkA.normalizedString < chunkB.normalizedString\n return stringCompare(chunkA.normalizedString, chunkB.normalizedString);\n }\n return result;\n } else if (chunkA.parsedNumber !== undefined || chunkB.parsedNumber !== undefined) {\n // number < string\n return chunkA.parsedNumber !== undefined ? -1 : 1;\n } else if (RE_UNICODE_CHARACTERS.test(chunkA.normalizedString + chunkB.normalizedString)) {\n // use locale comparison only if one of the chunks contains unicode characters\n return compareUnicode(chunkA.normalizedString, chunkB.normalizedString);\n } else {\n // use common string comparison for performance reason\n return stringCompare(chunkA.normalizedString, chunkB.normalizedString);\n }\n }\n }\n // if the chunks are equal so far, the one which has more chunks is greater than the other one\n if (lengthA > size || lengthB > size) {\n return lengthA <= size ? -1 : 1;\n }\n return 0;\n};\n\nvar compareOtherTypes = function compareOtherTypes(valueA, valueB) {\n if (!valueA.chunks ? valueB.chunks : !valueB.chunks) {\n return !valueA.chunks ? 1 : -1;\n }\n if (valueA.isNaN ? !valueB.isNaN : valueB.isNaN) {\n return valueA.isNaN ? -1 : 1;\n }\n if (valueA.isSymbol ? !valueB.isSymbol : valueB.isSymbol) {\n return valueA.isSymbol ? -1 : 1;\n }\n if (valueA.isObject ? !valueB.isObject : valueB.isObject) {\n return valueA.isObject ? -1 : 1;\n }\n if (valueA.isArray ? !valueB.isArray : valueB.isArray) {\n return valueA.isArray ? -1 : 1;\n }\n if (valueA.isFunction ? !valueB.isFunction : valueB.isFunction) {\n return valueA.isFunction ? -1 : 1;\n }\n if (valueA.isNull ? !valueB.isNull : valueB.isNull) {\n return valueA.isNull ? -1 : 1;\n }\n return 0;\n};\n\nvar compareValues = function compareValues(valueA, valueB) {\n if (valueA.value === valueB.value) {\n return 0;\n }\n if (valueA.parsedNumber !== undefined && valueB.parsedNumber !== undefined) {\n return compareNumbers(valueA.parsedNumber, valueB.parsedNumber);\n }\n if (valueA.chunks && valueB.chunks) {\n return compareChunks(valueA.chunks, valueB.chunks);\n }\n return compareOtherTypes(valueA, valueB);\n};\n\nvar normalizeAlphaChunk = function normalizeAlphaChunk(chunk) {\n return chunk.replace(RE_WHITESPACES, ' ').replace(RE_LEADING_OR_TRAILING_WHITESPACES, '');\n};\n\nvar parseNumber = function parseNumber(value) {\n if (value.length !== 0) {\n var parsedNumber = Number(value);\n if (!Number.isNaN(parsedNumber)) {\n return parsedNumber;\n }\n }\n return undefined;\n};\n\nvar normalizeNumericChunk = function normalizeNumericChunk(chunk, index, chunks) {\n if (RE_INT_OR_FLOAT.test(chunk)) {\n // don´t parse a number, if there´s a preceding decimal point\n // to keep significance\n // e.g. 1.0020, 1.020\n if (!RE_LEADING_ZERO.test(chunk) || index === 0 || chunks[index - 1] !== '.') {\n return parseNumber(chunk) || 0;\n }\n }\n return undefined;\n};\n\nvar createChunkMap = function createChunkMap(chunk, index, chunks) {\n return {\n parsedNumber: normalizeNumericChunk(chunk, index, chunks),\n normalizedString: normalizeAlphaChunk(chunk)\n };\n};\n\nvar createChunks = function createChunks(value) {\n return value.replace(RE_NUMBERS, '\\0$1\\0').replace(/\\0$/, '').replace(/^\\0/, '').split('\\0');\n};\n\nvar createChunkMaps = function createChunkMaps(value) {\n var chunksMaps = createChunks(value).map(createChunkMap);\n return chunksMaps;\n};\n\nvar isFunction = function isFunction(value) {\n return typeof value === 'function';\n};\n\nvar isNaN = function isNaN(value) {\n return Number.isNaN(value) || value instanceof Number && Number.isNaN(value.valueOf());\n};\n\nvar isNull = function isNull(value) {\n return value === null;\n};\n\nvar isObject = function isObject(value) {\n return value !== null && typeof value === 'object' && !Array.isArray(value) && !(value instanceof Number) && !(value instanceof String) && !(value instanceof Boolean) && !(value instanceof Date);\n};\n\nvar isSymbol = function isSymbol(value) {\n return typeof value === 'symbol';\n};\n\nvar isUndefined = function isUndefined(value) {\n return value === undefined;\n};\n\nvar parseDate = function parseDate(value) {\n try {\n var parsedDate = Date.parse(value);\n if (!Number.isNaN(parsedDate)) {\n if (RE_DATE.test(value)) {\n return parsedDate;\n }\n }\n return undefined;\n } catch (_unused) {\n return undefined;\n }\n};\n\nvar numberify = function numberify(value) {\n var parsedNumber = parseNumber(value);\n if (parsedNumber !== undefined) {\n return parsedNumber;\n }\n return parseDate(value);\n};\n\nvar stringify = function stringify(value) {\n if (typeof value === 'boolean' || value instanceof Boolean) {\n return Number(value).toString();\n }\n if (typeof value === 'number' || value instanceof Number) {\n return value.toString();\n }\n if (value instanceof Date) {\n return value.getTime().toString();\n }\n if (typeof value === 'string' || value instanceof String) {\n return value.toLowerCase().replace(RE_LEADING_OR_TRAILING_WHITESPACES, '');\n }\n return '';\n};\n\nvar getMappedValueRecord = function getMappedValueRecord(value) {\n if (typeof value === 'string' || value instanceof String || (typeof value === 'number' || value instanceof Number) && !isNaN(value) || typeof value === 'boolean' || value instanceof Boolean || value instanceof Date) {\n var stringValue = stringify(value);\n var parsedNumber = numberify(stringValue);\n var chunks = createChunkMaps(parsedNumber ? \"\" + parsedNumber : stringValue);\n return {\n parsedNumber: parsedNumber,\n chunks: chunks,\n value: value\n };\n }\n return {\n isArray: Array.isArray(value),\n isFunction: isFunction(value),\n isNaN: isNaN(value),\n isNull: isNull(value),\n isObject: isObject(value),\n isSymbol: isSymbol(value),\n isUndefined: isUndefined(value),\n value: value\n };\n};\n\nvar baseCompare = function baseCompare(options) {\n return function (valueA, valueB) {\n var a = getMappedValueRecord(valueA);\n var b = getMappedValueRecord(valueB);\n var result = compareValues(a, b);\n return result * (options.order === 'desc' ? -1 : 1);\n };\n};\n\nvar isValidOrder = function isValidOrder(value) {\n return typeof value === 'string' && (value === 'asc' || value === 'desc');\n};\nvar getOptions = function getOptions(customOptions) {\n var order = 'asc';\n if (typeof customOptions === 'string' && isValidOrder(customOptions)) {\n order = customOptions;\n } else if (customOptions && typeof customOptions === 'object' && customOptions.order && isValidOrder(customOptions.order)) {\n order = customOptions.order;\n }\n return {\n order: order\n };\n};\n\n/**\n * Creates a compare function that defines the natural sort order considering\n * the given `options` which may be passed to [`Array.prototype.sort()`](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Array/sort).\n */\nfunction compare(options) {\n var validatedOptions = getOptions(options);\n return baseCompare(validatedOptions);\n}\n\nvar compareMultiple = function compareMultiple(recordA, recordB, orders) {\n var indexA = recordA.index,\n valuesA = recordA.values;\n var indexB = recordB.index,\n valuesB = recordB.values;\n var length = valuesA.length;\n var ordersLength = orders.length;\n for (var i = 0; i < length; i++) {\n var order = i < ordersLength ? orders[i] : null;\n if (order && typeof order === 'function') {\n var result = order(valuesA[i].value, valuesB[i].value);\n if (result) {\n return result;\n }\n } else {\n var _result = compareValues(valuesA[i], valuesB[i]);\n if (_result) {\n return _result * (order === 'desc' ? -1 : 1);\n }\n }\n }\n return indexA - indexB;\n};\n\nvar createIdentifierFn = function createIdentifierFn(identifier) {\n if (typeof identifier === 'function') {\n // identifier is already a lookup function\n return identifier;\n }\n return function (value) {\n if (Array.isArray(value)) {\n var index = Number(identifier);\n if (Number.isInteger(index)) {\n return value[index];\n }\n } else if (value && typeof value === 'object') {\n var result = Object.getOwnPropertyDescriptor(value, identifier);\n return result == null ? void 0 : result.value;\n }\n return value;\n };\n};\n\nvar getElementByIndex = function getElementByIndex(collection, index) {\n return collection[index];\n};\n\nvar getValueByIdentifier = function getValueByIdentifier(value, getValue) {\n return getValue(value);\n};\n\nvar baseOrderBy = function baseOrderBy(collection, identifiers, orders) {\n var identifierFns = identifiers.length ? identifiers.map(createIdentifierFn) : [function (value) {\n return value;\n }];\n\n // temporary array holds elements with position and sort-values\n var mappedCollection = collection.map(function (element, index) {\n var values = identifierFns.map(function (identifier) {\n return getValueByIdentifier(element, identifier);\n }).map(getMappedValueRecord);\n return {\n index: index,\n values: values\n };\n });\n\n // iterate over values and compare values until a != b or last value reached\n mappedCollection.sort(function (recordA, recordB) {\n return compareMultiple(recordA, recordB, orders);\n });\n return mappedCollection.map(function (element) {\n return getElementByIndex(collection, element.index);\n });\n};\n\nvar getIdentifiers = function getIdentifiers(identifiers) {\n if (!identifiers) {\n return [];\n }\n var identifierList = !Array.isArray(identifiers) ? [identifiers] : [].concat(identifiers);\n if (identifierList.some(function (identifier) {\n return typeof identifier !== 'string' && typeof identifier !== 'number' && typeof identifier !== 'function';\n })) {\n return [];\n }\n return identifierList;\n};\n\nvar getOrders = function getOrders(orders) {\n if (!orders) {\n return [];\n }\n var orderList = !Array.isArray(orders) ? [orders] : [].concat(orders);\n if (orderList.some(function (order) {\n return order !== 'asc' && order !== 'desc' && typeof order !== 'function';\n })) {\n return [];\n }\n return orderList;\n};\n\n/**\n * Creates an array of elements, natural sorted by specified identifiers and\n * the corresponding sort orders. This method implements a stable sort\n * algorithm, which means the original sort order of equal elements is\n * preserved.\n */\nfunction orderBy(collection, identifiers, orders) {\n if (!collection || !Array.isArray(collection)) {\n return [];\n }\n var validatedIdentifiers = getIdentifiers(identifiers);\n var validatedOrders = getOrders(orders);\n return baseOrderBy(collection, validatedIdentifiers, validatedOrders);\n}\n\nexport { compare, orderBy };\n","\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=03d22f04\"\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,\"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!./ShareVariant.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./ShareVariant.vue?vue&type=script&lang=js\"","import { render, staticRenderFns } from \"./ShareVariant.vue?vue&type=template&id=1f144a5c\"\nimport script from \"./ShareVariant.vue?vue&type=script&lang=js\"\nexport * from \"./ShareVariant.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 share-variant-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 24 24\"}},[_c('path',{attrs:{\"d\":\"M18,16.08C17.24,16.08 16.56,16.38 16.04,16.85L8.91,12.7C8.96,12.47 9,12.24 9,12C9,11.76 8.96,11.53 8.91,11.3L15.96,7.19C16.5,7.69 17.21,8 18,8A3,3 0 0,0 21,5A3,3 0 0,0 18,2A3,3 0 0,0 15,5C15,5.24 15.04,5.47 15.09,5.7L8.04,9.81C7.5,9.31 6.79,9 6,9A3,3 0 0,0 3,12A3,3 0 0,0 6,15C6.79,15 7.5,14.69 8.04,14.19L15.16,18.34C15.11,18.55 15.08,18.77 15.08,19C15.08,20.61 16.39,21.91 18,21.91C19.61,21.91 20.92,20.61 20.92,19A2.92,2.92 0 0,0 18,16.08Z\"}},[(_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=6ca550f9\"\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,\"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 }, { dir }, true);\n return null;\n }\n catch (error) {\n logger.error('Error while opening sidebar', { error });\n return false;\n }\n },\n order: -50,\n});\n","import { defineStore } from 'pinia';\nimport { subscribe } from '@nextcloud/event-bus';\nimport logger from '../logger';\nimport Vue from 'vue';\nexport const useFilesStore = function (...args) {\n const store = defineStore('files', {\n state: () => ({\n files: {},\n roots: {},\n }),\n getters: {\n /**\n * Get a file or folder by id\n */\n getNode: (state) => (id) => state.files[id],\n /**\n * Get a list of files or folders by their IDs\n * Does not return undefined values\n */\n getNodes: (state) => (ids) => ids\n .map(id => state.files[id])\n .filter(Boolean),\n /**\n * Get a file or folder by id\n */\n getRoot: (state) => (service) => state.roots[service],\n },\n actions: {\n updateNodes(nodes) {\n // Update the store all at once\n const files = nodes.reduce((acc, node) => {\n if (!node.fileid) {\n logger.error('Trying to update/set a node without fileid', node);\n return acc;\n }\n acc[node.fileid] = node;\n return acc;\n }, {});\n Vue.set(this, 'files', { ...this.files, ...files });\n },\n deleteNodes(nodes) {\n nodes.forEach(node => {\n if (node.fileid) {\n Vue.delete(this.files, node.fileid);\n }\n });\n },\n setRoot({ service, root }) {\n Vue.set(this.roots, service, root);\n },\n onDeletedNode(node) {\n this.deleteNodes([node]);\n },\n onCreatedNode(node) {\n this.updateNodes([node]);\n },\n onUpdatedNode(node) {\n this.updateNodes([node]);\n },\n },\n });\n const fileStore = store(...args);\n // Make sure we only register the listeners once\n if (!fileStore._initialized) {\n subscribe('files:node:created', fileStore.onCreatedNode);\n subscribe('files:node:deleted', fileStore.onDeletedNode);\n subscribe('files:node:updated', fileStore.onUpdatedNode);\n fileStore._initialized = true;\n }\n return fileStore;\n};\n","import { defineStore } from 'pinia';\nimport { FileType, Folder, Node, getNavigation } from '@nextcloud/files';\nimport { subscribe } from '@nextcloud/event-bus';\nimport Vue from 'vue';\nimport logger from '../logger';\nimport { useFilesStore } from './files';\nexport const usePathsStore = function (...args) {\n const files = useFilesStore();\n const store = defineStore('paths', {\n state: () => ({\n paths: {},\n }),\n getters: {\n getPath: (state) => {\n return (service, path) => {\n if (!state.paths[service]) {\n return undefined;\n }\n return state.paths[service][path];\n };\n },\n },\n actions: {\n addPath(payload) {\n // If it doesn't exists, init the service state\n if (!this.paths[payload.service]) {\n Vue.set(this.paths, payload.service, {});\n }\n // Now we can set the provided path\n Vue.set(this.paths[payload.service], payload.path, payload.fileid);\n },\n onCreatedNode(node) {\n const service = getNavigation()?.active?.id || 'files';\n if (!node.fileid) {\n logger.error('Node has no fileid', { node });\n return;\n }\n // Only add path if it's a folder\n if (node.type === FileType.Folder) {\n this.addPath({\n service,\n path: node.path,\n fileid: node.fileid,\n });\n }\n // Update parent folder children if exists\n // If the folder is the root, get it and update it\n if (node.dirname === '/') {\n const root = files.getRoot(service);\n if (!root._children) {\n Vue.set(root, '_children', []);\n }\n root._children.push(node.fileid);\n return;\n }\n // If the folder doesn't exists yet, it will be\n // fetched later and its children updated anyway.\n if (this.paths[service][node.dirname]) {\n const parentId = this.paths[service][node.dirname];\n const parentFolder = files.getNode(parentId);\n logger.debug('Path already exists, updating children', { parentFolder, node });\n if (!parentFolder) {\n logger.error('Parent folder not found', { parentId });\n return;\n }\n if (!parentFolder._children) {\n Vue.set(parentFolder, '_children', []);\n }\n parentFolder._children.push(node.fileid);\n return;\n }\n logger.debug('Parent path does not exists, skipping children update', { node });\n },\n },\n });\n const pathsStore = store(...args);\n // Make sure we only register the listeners once\n if (!pathsStore._initialized) {\n // TODO: watch folders to update paths?\n subscribe('files:node:created', pathsStore.onCreatedNode);\n // subscribe('files:node:deleted', pathsStore.onDeletedNode)\n // subscribe('files:node:moved', pathsStore.onMovedNode)\n pathsStore._initialized = true;\n }\n return pathsStore;\n};\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ \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\n","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./Home.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./Home.vue?vue&type=script&lang=js\"","import { render, staticRenderFns } from \"./Home.vue?vue&type=template&id=69a49b0f\"\nimport script from \"./Home.vue?vue&type=script&lang=js\"\nexport * from \"./Home.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 home-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 24 24\"}},[_c('path',{attrs:{\"d\":\"M10,20V14H14V20H19V12H22L12,3L2,12H5V20H10Z\"}},[(_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('NcBreadcrumbs',{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,\"title\":_vm.titleForSection(index, section),\"aria-description\":_vm.ariaForSection(section)},nativeOn:{\"click\":function($event){return _vm.onClick(section.to)}},scopedSlots:_vm._u([(index === 0)?{key:\"icon\",fn:function(){return [_c('Home',{attrs:{\"size\":20}})]},proxy:true}:null],null,true)},'NcBreadcrumb',section,false))}),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!./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\"","\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=1c4866bc&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=1c4866bc&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=1c4866bc&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=1c4866bc&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 \"1c4866bc\",\n null\n \n)\n\nexport default component.exports","/**\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 suffix A function that takes an index an returns a suffix to add, defaults to '(index)'\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, suffix = (n) => `(${n})`) => {\n let newName = name;\n let i = 1;\n while (otherNames.includes(newName)) {\n const ext = extname(name);\n newName = `${basename(name, ext)} ${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","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:{'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}},_vm.rowListeners),[(_vm.source.attributes.failed)?_c('span',{staticClass:\"files-list__row--failed\"}):_vm._e(),_vm._v(\" \"),_c('FileEntryCheckbox',{attrs:{\"fileid\":_vm.fileid,\"is-loading\":_vm.isLoading,\"nodes\":_vm.nodes,\"source\":_vm.source}}),_vm._v(\" \"),_c('td',{staticClass:\"files-list__row-name\",attrs:{\"data-cy-files-list-row-name\":\"\"}},[_c('FileEntryPreview',{ref:\"preview\",attrs:{\"source\":_vm.source,\"dragover\":_vm.dragover},nativeOn:{\"click\":function($event){return _vm.execDefaultAction.apply(null, arguments)}}}),_vm._v(\" \"),_c('FileEntryName',{ref:\"name\",attrs:{\"display-name\":_vm.displayName,\"extension\":_vm.extension,\"files-list-width\":_vm.filesListWidth,\"nodes\":_vm.nodes,\"source\":_vm.source},on:{\"click\":_vm.execDefaultAction}})],1),_vm._v(\" \"),_c('FileEntryActions',{directives:[{name:\"show\",rawName:\"v-show\",value:(!_vm.isRenamingSmallScreen),expression:\"!isRenamingSmallScreen\"}],ref:\"actions\",class:`files-list__row-actions-${_vm.uniqueId}`,attrs:{\"files-list-width\":_vm.filesListWidth,\"loading\":_vm.loading,\"opened\":_vm.openedMenu,\"source\":_vm.source},on:{\"update:loading\":function($event){_vm.loading=$event},\"update:opened\":function($event){_vm.openedMenu=$event}}}),_vm._v(\" \"),(!_vm.compact && _vm.isSizeAvailable)?_c('td',{staticClass:\"files-list__row-size\",style:(_vm.sizeOpacity),attrs:{\"data-cy-files-list-row-size\":\"\"},on:{\"click\":_vm.openDetailsIfAvailable}},[_c('span',[_vm._v(_vm._s(_vm.size))])]):_vm._e(),_vm._v(\" \"),(!_vm.compact && _vm.isMtimeAvailable)?_c('td',{staticClass:\"files-list__row-mtime\",style:(_vm.mtimeOpacity),attrs:{\"data-cy-files-list-row-mtime\":\"\"},on:{\"click\":_vm.openDetailsIfAvailable}},[_c('NcDateTime',{attrs:{\"timestamp\":_vm.source.mtime,\"ignore-seconds\":true}})],1):_vm._e(),_vm._v(\" \"),_vm._l((_vm.columns),function(column){return _c('td',{key:column.id,staticClass:\"files-list__row-column-custom\",class:`files-list__row-${_vm.currentView?.id}-${column.id}`,attrs:{\"data-cy-files-list-row-column-custom\":column.id},on:{\"click\":_vm.openDetailsIfAvailable}},[_c('CustomElementRender',{attrs:{\"current-view\":_vm.currentView,\"render\":column.render,\"source\":_vm.source}})],1)})],2)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","\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=065722db\"\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,\"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 { render, staticRenderFns } from \"./Folder.vue?vue&type=template&id=5c04f969\"\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,_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 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","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","/**\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 // For now the only restriction is that a shared file\n // cannot be copied if the download is disabled\n return canDownload(nodes);\n};\n","/**\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 { 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 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 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), copySuffix);\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 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 }) : 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 }) : 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 reject(new Error(t('files', 'Cancelled move or copy operation')));\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 */\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","/**\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 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 { 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","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=187c55d7\"\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,\"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 }","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./ChevronRight.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./ChevronRight.vue?vue&type=script&lang=js\"","\n\n","import { render, staticRenderFns } from \"./ChevronRight.vue?vue&type=template&id=750bcc07\"\nimport script from \"./ChevronRight.vue?vue&type=script&lang=js\"\nexport * from \"./ChevronRight.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 chevron-right-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 24 24\"}},[_c('path',{attrs:{\"d\":\"M8.59,16.58L13.17,12L8.59,7.41L10,6L16,12L10,18L8.59,16.58Z\"}},[(_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,\"disabled\":_vm.isLoading || _vm.loading !== '',\"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,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){_vm.openedSubmenu = null}},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=3daa457a&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=3daa457a&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=3daa457a&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=3daa457a&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=3daa457a&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=3daa457a&prod&lang=scss\"\nimport style1 from \"./FileEntryActions.vue?vue&type=style&index=1&id=3daa457a&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 \"3daa457a\",\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=336f0c33\"\nimport script from \"./FileEntryCheckbox.vue?vue&type=script&lang=ts\"\nexport * from \"./FileEntryCheckbox.vue?vue&type=script&lang=ts\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return (_vm.isRenaming)?_c('form',{directives:[{name:\"on-click-outside\",rawName:\"v-on-click-outside\",value:(_vm.stopRenaming),expression:\"stopRenaming\"}],staticClass:\"files-list__row-rename\",attrs:{\"aria-label\":_vm.t('files', 'Rename file')},on:{\"submit\":function($event){$event.preventDefault();$event.stopPropagation();return _vm.onRename.apply(null, arguments)}}},[_c('NcTextField',{ref:\"renameInput\",attrs:{\"label\":_vm.renameLabel,\"autofocus\":true,\"minlength\":1,\"required\":true,\"value\":_vm.newName,\"enterkeyhint\":\"done\"},on:{\"update:value\":function($event){_vm.newName=$event},\"keyup\":[_vm.checkInputValidity,function($event){if(!$event.type.indexOf('key')&&_vm._k($event.keyCode,\"esc\",27,$event.key,[\"Esc\",\"Escape\"]))return null;return _vm.stopRenaming.apply(null, arguments)}]}})],1):_c(_vm.linkTo.is,_vm._b({ref:\"basename\",tag:\"component\",staticClass:\"files-list__row-name-link\",attrs:{\"aria-hidden\":_vm.isRenaming,\"data-cy-files-list-row-name-link\":\"\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'component',_vm.linkTo.params,false),[_c('span',{staticClass:\"files-list__row-name-text\"},[_c('span',{staticClass:\"files-list__row-name-\",domProps:{\"textContent\":_vm._s(_vm.displayName)}}),_vm._v(\" \"),_c('span',{staticClass:\"files-list__row-name-ext\",domProps:{\"textContent\":_vm._s(_vm.extension)}})])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../../../../../node_modules/babel-loader/lib/index.js!../../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FileEntryName.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../../node_modules/babel-loader/lib/index.js!../../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FileEntryName.vue?vue&type=script&lang=ts\"","import { render, staticRenderFns } from \"./FileEntryName.vue?vue&type=template&id=637facfc\"\nimport script from \"./FileEntryName.vue?vue&type=script&lang=ts\"\nexport * from \"./FileEntryName.vue?vue&type=script&lang=ts\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('span',{staticClass:\"files-list__row-icon\"},[(_vm.source.type === 'folder')?[(_vm.dragover)?_vm._m(0):[_vm._m(1),_vm._v(\" \"),(_vm.folderOverlay)?_c(_vm.folderOverlay,{tag:\"OverlayIcon\",staticClass:\"files-list__row-icon-overlay\"}):_vm._e()]]:(_vm.previewUrl && _vm.backgroundFailed !== true)?_c('img',{ref:\"previewImg\",staticClass:\"files-list__row-icon-preview\",class:{'files-list__row-icon-preview--loaded': _vm.backgroundFailed === false},attrs:{\"alt\":\"\",\"loading\":\"lazy\",\"src\":_vm.previewUrl},on:{\"error\":function($event){_vm.backgroundFailed = true},\"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!./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=98f97aee\"\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,\"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!./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\"","\n\n","import { render, staticRenderFns } from \"./File.vue?vue&type=template&id=5c8d96c6\"\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,\"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=3b29b1d5\"\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,\"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=aa295eae\"\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,\"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=7c7d2907\"\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,\"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=4d7171be\"\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,\"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=34d1e782\"\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,\"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=77afa6dc&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=77afa6dc&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=77afa6dc&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=77afa6dc&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 \"77afa6dc\",\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=3c23da48\"\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\"","import { render, staticRenderFns } from \"./FileEntry.vue?vue&type=template&id=63ef3b44\"\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","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('tr',{staticClass:\"files-list__row\",class:{'files-list__row--active': _vm.isActive, 'files-list__row--dragover': _vm.dragover, 'files-list__row--loading': _vm.isLoading},attrs:{\"data-cy-files-list-row\":\"\",\"data-cy-files-list-row-fileid\":_vm.fileid,\"data-cy-files-list-row-name\":_vm.source.basename,\"draggable\":_vm.canDrag},on:{\"contextmenu\":_vm.onRightClick,\"dragover\":_vm.onDragOver,\"dragleave\":_vm.onDragLeave,\"dragstart\":_vm.onDragStart,\"dragend\":_vm.onDragEnd,\"drop\":_vm.onDrop}},[(_vm.source.attributes.failed)?_c('span',{staticClass:\"files-list__row--failed\"}):_vm._e(),_vm._v(\" \"),_c('FileEntryCheckbox',{attrs:{\"fileid\":_vm.fileid,\"is-loading\":_vm.isLoading,\"nodes\":_vm.nodes,\"source\":_vm.source}}),_vm._v(\" \"),_c('td',{staticClass:\"files-list__row-name\",attrs:{\"data-cy-files-list-row-name\":\"\"}},[_c('FileEntryPreview',{ref:\"preview\",attrs:{\"dragover\":_vm.dragover,\"grid-mode\":true,\"source\":_vm.source},nativeOn:{\"click\":function($event){return _vm.execDefaultAction.apply(null, arguments)}}}),_vm._v(\" \"),_c('FileEntryName',{ref:\"name\",attrs:{\"display-name\":_vm.displayName,\"extension\":_vm.extension,\"files-list-width\":_vm.filesListWidth,\"grid-mode\":true,\"nodes\":_vm.nodes,\"source\":_vm.source},on:{\"click\":_vm.execDefaultAction}})],1),_vm._v(\" \"),_c('FileEntryActions',{ref:\"actions\",class:`files-list__row-actions-${_vm.uniqueId}`,attrs:{\"files-list-width\":_vm.filesListWidth,\"grid-mode\":true,\"loading\":_vm.loading,\"opened\":_vm.openedMenu,\"source\":_vm.source},on:{\"update:loading\":function($event){_vm.loading=$event},\"update:opened\":function($event){_vm.openedMenu=$event}}})],1)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import 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\"","import { render, staticRenderFns } from \"./FileEntryGrid.vue?vue&type=template&id=2657090e\"\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","/**\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","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=2fbb2389&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=2fbb2389&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=2fbb2389&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=2fbb2389&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 \"2fbb2389\",\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('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 * @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\"","\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=2dd1845e&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=2dd1845e&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=2dd1845e&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=2dd1845e&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 \"2dd1845e\",\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\"","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 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=769ad83a&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=769ad83a&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=769ad83a&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=769ad83a&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 \"769ad83a\",\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\":\"\"}},[(!!_vm.$scopedSlots['header-overlay'])?_c('div',{staticClass:\"files-list__thead-overlay\"},[_vm._t(\"header-overlay\")],2):_vm._e(),_vm._v(\" \"),_c('div',{ref:\"before\",staticClass:\"files-list__before\"},[_vm._t(\"before\")],2),_vm._v(\" \"),_c('table',{staticClass:\"files-list__table\"},[(_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=26d70c54\"\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","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\"","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('VirtualList',{ref:\"table\",attrs:{\"data-component\":_vm.userConfig.grid_view ? _vm.FileEntryGrid : _vm.FileEntry,\"data-key\":'source',\"data-sources\":_vm.nodes,\"grid-mode\":_vm.userConfig.grid_view,\"extra-props\":{\n\t\tisMtimeAvailable: _vm.isMtimeAvailable,\n\t\tisSizeAvailable: _vm.isSizeAvailable,\n\t\tnodes: _vm.nodes,\n\t\tfilesListWidth: _vm.filesListWidth,\n\t},\"scroll-to-index\":_vm.scrollToIndex,\"caption\":_vm.caption},scopedSlots:_vm._u([(!_vm.isNoneSelected)?{key:\"header-overlay\",fn:function(){return [_c('FilesListTableHeaderActions',{attrs:{\"current-view\":_vm.currentView,\"selected-nodes\":_vm.selectedNodes}})]},proxy:true}:null,{key:\"before\",fn:function(){return _vm._l((_vm.sortedHeaders),function(header){return _c('FilesListHeader',{key:header.id,attrs:{\"current-folder\":_vm.currentFolder,\"current-view\":_vm.currentView,\"header\":header}})})},proxy:true},{key:\"header\",fn:function(){return [_c('FilesListTableHeader',{ref:\"thead\",attrs:{\"files-list-width\":_vm.filesListWidth,\"is-mtime-available\":_vm.isMtimeAvailable,\"is-size-available\":_vm.isSizeAvailable,\"nodes\":_vm.nodes}})]},proxy:true},{key:\"footer\",fn:function(){return [_c('FilesListTableFooter',{attrs:{\"files-list-width\":_vm.filesListWidth,\"is-mtime-available\":_vm.isMtimeAvailable,\"is-size-available\":_vm.isSizeAvailable,\"nodes\":_vm.nodes,\"summary\":_vm.summary}})]},proxy:true}],null,true)})\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","\n 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=056855cd&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=056855cd&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=056855cd&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=056855cd&prod&lang=scss\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./FilesListVirtual.vue?vue&type=template&id=056855cd&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=056855cd&prod&scoped=true&lang=scss\"\nimport style1 from \"./FilesListVirtual.vue?vue&type=style&index=1&id=056855cd&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 \"056855cd\",\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=547c388d\"\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,\"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 }","/**\n * @copyright Copyright (c) 2023 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 { davGetClient, davGetDefaultPropfind, davResultToNode, davRootPath } from '@nextcloud/files';\nimport { emit } from '@nextcloud/event-bus';\nimport { getUploader } from '@nextcloud/upload';\nimport { joinPaths } from '@nextcloud/paths';\nimport { showError } from '@nextcloud/dialogs';\nimport { translate as t } from '@nextcloud/l10n';\nimport logger from '../logger.js';\nexport const handleDrop = async (data) => {\n // TODO: Maybe handle `getAsFileSystemHandle()` in the future\n const uploads = [];\n for (const item of data.items) {\n if (item.kind !== 'file') {\n logger.debug('Skipping dropped item', { kind: item.kind, type: item.type });\n continue;\n }\n // MDN recommends to try both, as it might be renamed in the future\n const entry = item?.getAsEntry?.() ?? item.webkitGetAsEntry();\n // Handle browser issues if Filesystem API is not available. Fallback to File API\n if (entry === null) {\n logger.debug('Could not get FilesystemEntry of item, falling back to file');\n const file = item.getAsFile();\n if (file === null) {\n logger.warn('Could not process DataTransferItem', { type: item.type, kind: item.kind });\n showError(t('files', 'One of the dropped files could not be processed'));\n }\n else {\n uploads.push(await handleFileUpload(file));\n }\n }\n else {\n logger.debug('Handle recursive upload', { entry: entry.name });\n // Use Filesystem API\n uploads.push(...await handleRecursiveUpload(entry));\n }\n }\n return uploads;\n};\nconst handleFileUpload = async (file, path = '') => {\n const uploader = getUploader();\n try {\n return await uploader.upload(`${path}${file.name}`, file);\n }\n catch (e) {\n showError(t('files', 'Uploading \"{filename}\" failed', { filename: file.name }));\n throw e;\n }\n};\nconst handleRecursiveUpload = async (entry, path = '') => {\n if (entry.isFile) {\n return [\n await new Promise((resolve, reject) => {\n entry.file(async (file) => resolve(await handleFileUpload(file, path)), (error) => reject(error));\n }),\n ];\n }\n else {\n const directory = entry;\n // TODO: Implement this on `@nextcloud/upload`\n const absolutPath = joinPaths(davRootPath, getUploader().destination.path, path, directory.name);\n logger.debug('Handle directory recursively', { name: directory.name, absolutPath });\n const davClient = davGetClient();\n const dirExists = await davClient.exists(absolutPath);\n if (!dirExists) {\n logger.debug('Directory does not exist, creating it', { absolutPath });\n await davClient.createDirectory(absolutPath, { recursive: true });\n const stat = await davClient.stat(absolutPath, { details: true, data: davGetDefaultPropfind() });\n emit('files:node:created', davResultToNode(stat.data));\n }\n const entries = await readDirectory(directory);\n // sorted so we upload files first before starting next level\n const promises = entries.sort((a) => a.isFile ? -1 : 1)\n .map((file) => handleRecursiveUpload(file, `${path}${directory.name}/`));\n return (await Promise.all(promises)).flat();\n }\n};\n/**\n * Read a directory using Filesystem API\n * @param directory the directory to read\n */\nfunction 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}\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!./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\",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=069817aa&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=069817aa&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=069817aa&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=069817aa&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 \"069817aa\",\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=460d7d98&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=460d7d98&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=460d7d98&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=460d7d98&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 \"460d7d98\",\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 Vue from 'vue';\nimport { createPinia, PiniaVuePlugin } from 'pinia';\nimport { getNavigation } from '@nextcloud/files';\nimport { getRequestToken } from '@nextcloud/auth';\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);\nconst pinia = createPinia();\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._file-picker__file-icon_1vgv4_5 {\n width: 32px;\n height: 32px;\n min-width: 32px;\n min-height: 32px;\n background-repeat: no-repeat;\n background-size: contain;\n display: flex;\n justify-content: center;\n}\ntr.file-picker__row[data-v-6aded0d9] {\n height: var(--row-height, 50px);\n}\ntr.file-picker__row td[data-v-6aded0d9] {\n cursor: pointer;\n overflow: hidden;\n text-overflow: ellipsis;\n border-bottom: none;\n}\ntr.file-picker__row td.row-checkbox[data-v-6aded0d9] {\n padding: 0 2px;\n}\ntr.file-picker__row td[data-v-6aded0d9]:not(.row-checkbox) {\n padding-inline: 14px 0;\n}\ntr.file-picker__row td.row-size[data-v-6aded0d9] {\n text-align: end;\n padding-inline: 0 14px;\n}\ntr.file-picker__row td.row-name[data-v-6aded0d9] {\n padding-inline: 2px 0;\n}\n@keyframes gradient-6aded0d9 {\n 0% {\n background-position: 0% 50%;\n }\n 50% {\n background-position: 100% 50%;\n }\n to {\n background-position: 0% 50%;\n }\n}\n.loading-row .row-checkbox[data-v-6aded0d9] {\n text-align: center !important;\n}\n.loading-row span[data-v-6aded0d9] {\n display: inline-block;\n height: 24px;\n background: linear-gradient(to right, var(--color-background-darker), var(--color-text-maxcontrast), var(--color-background-darker));\n background-size: 600px 100%;\n border-radius: var(--border-radius);\n animation: gradient-6aded0d9 12s ease infinite;\n}\n.loading-row .row-wrapper[data-v-6aded0d9] {\n display: inline-flex;\n align-items: center;\n}\n.loading-row .row-checkbox span[data-v-6aded0d9] {\n width: 24px;\n}\n.loading-row .row-name span[data-v-6aded0d9]:last-of-type {\n margin-inline-start: 6px;\n width: 130px;\n}\n.loading-row .row-size span[data-v-6aded0d9] {\n width: 80px;\n}\n.loading-row .row-modified span[data-v-6aded0d9] {\n width: 90px;\n}\ntr.file-picker__row[data-v-48df4f27] {\n height: var(--row-height, 50px);\n}\ntr.file-picker__row td[data-v-48df4f27] {\n cursor: pointer;\n overflow: hidden;\n text-overflow: ellipsis;\n border-bottom: none;\n}\ntr.file-picker__row td.row-checkbox[data-v-48df4f27] {\n padding: 0 2px;\n}\ntr.file-picker__row td[data-v-48df4f27]:not(.row-checkbox) {\n padding-inline: 14px 0;\n}\ntr.file-picker__row td.row-size[data-v-48df4f27] {\n text-align: end;\n padding-inline: 0 14px;\n}\ntr.file-picker__row td.row-name[data-v-48df4f27] {\n padding-inline: 2px 0;\n}\n.file-picker__row--selected[data-v-48df4f27] {\n background-color: var(--color-background-dark);\n}\n.file-picker__row[data-v-48df4f27]:hover {\n background-color: var(--color-background-hover);\n}\n.file-picker__name-container[data-v-48df4f27] {\n display: flex;\n justify-content: start;\n align-items: center;\n height: 100%;\n}\n.file-picker__file-name[data-v-48df4f27] {\n padding-inline-start: 6px;\n min-width: 0;\n overflow: hidden;\n text-overflow: ellipsis;\n}\n.file-picker__file-extension[data-v-48df4f27] {\n color: var(--color-text-maxcontrast);\n min-width: fit-content;\n}\n.file-picker__header-preview[data-v-d3c94818] {\n width: 22px;\n height: 32px;\n flex: 0 0 auto;\n}\n.file-picker__files[data-v-d3c94818] {\n margin: 2px;\n margin-inline-start: 12px;\n overflow: scroll auto;\n}\n.file-picker__files table[data-v-d3c94818] {\n width: 100%;\n max-height: 100%;\n table-layout: fixed;\n}\n.file-picker__files th[data-v-d3c94818] {\n position: sticky;\n z-index: 1;\n top: 0;\n background-color: var(--color-main-background);\n padding: 2px;\n}\n.file-picker__files th .header-wrapper[data-v-d3c94818] {\n display: flex;\n}\n.file-picker__files th.row-checkbox[data-v-d3c94818] {\n width: 44px;\n}\n.file-picker__files th.row-name[data-v-d3c94818] {\n width: 230px;\n}\n.file-picker__files th.row-size[data-v-d3c94818] {\n width: 100px;\n}\n.file-picker__files th.row-modified[data-v-d3c94818] {\n width: 120px;\n}\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue__wrapper {\n justify-content: start;\n flex-direction: row-reverse;\n}\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue {\n padding-inline: 16px 4px;\n}\n.file-picker__files th.row-size[data-v-d3c94818] .button-vue__wrapper {\n justify-content: end;\n}\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper {\n color: var(--color-text-maxcontrast);\n}\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper .button-vue__text {\n font-weight: 400;\n}\n.file-picker__breadcrumbs[data-v-3bc9efa5] {\n flex-grow: 0 !important;\n}\n.file-picker__side[data-v-e96bec41] {\n display: flex;\n flex-direction: column;\n align-items: stretch;\n gap: .5rem;\n min-width: 200px;\n padding: 2px;\n overflow: auto;\n}\n.file-picker__side[data-v-e96bec41] .button-vue__wrapper {\n justify-content: start;\n}\n.file-picker__filter-input[data-v-e96bec41] {\n margin-block: 7px;\n max-width: 260px;\n}\n@media (max-width: 736px) {\n .file-picker__side[data-v-e96bec41] {\n flex-direction: row;\n min-width: unset;\n }\n}\n@media (max-width: 512px) {\n .file-picker__side[data-v-e96bec41] {\n flex-direction: row;\n min-width: unset;\n }\n .file-picker__filter-input[data-v-e96bec41] {\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-c6479356] {\n height: 50px;\n display: flex;\n justify-content: start;\n align-items: center;\n}\n.file-picker__view h3[data-v-c6479356] {\n font-weight: 700;\n height: fit-content;\n margin: 0;\n}\n.file-picker__main[data-v-c6479356] {\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-c6479356] {\n box-sizing: border-box;\n}\n[data-v-c6479356] .file-picker {\n height: min(80vh, 800px) !important;\n}\n@media (max-width: 512px) {\n [data-v-c6479356] .file-picker {\n height: calc(100% - 16px - var(--default-clickable-area)) !important;\n }\n}\n[data-v-c6479356] .file-picker__content {\n display: flex;\n flex-direction: column;\n overflow: hidden;\n}\n`, \"\",{\"version\":3,\"sources\":[\"webpack://./node_modules/@nextcloud/dialogs/dist/style.css\"],\"names\":[],\"mappings\":\"AAAA,gBAAgB;AAChB;;;;;;;;;;;;;;;;;;;;EAoBE;AACF;EACE,gBAAgB;EAChB,gBAAgB;EAChB,8CAA8C;EAC9C,6BAA6B;EAC7B,6CAA6C;EAC7C,eAAe;EACf,gBAAgB;EAChB,eAAe;EACf,cAAc;EACd,mCAAmC;EACnC,aAAa;EACb,mBAAmB;AACrB;AACA;EACE,aAAa;EACb,mBAAmB;AACrB;AACA;;EAEE,gBAAgB;EAChB,gBAAgB;EAChB,sBAAsB;EACtB,eAAe;EACf,YAAY;EACZ,aAAa;EACb,mBAAmB;EACnB,4BAA4B;EAC5B,2BAA2B;EAC3B,6BAA6B;EAC7B,aAAa;AACf;AACA;;EAEE,cAAc;EACd,WAAW;EACX,YAAY;EACZ,gBAAgB;EAChB,iBAAiB;EACjB,YAAY;AACd;AACA;;EAEE,yDAA8Q;EAC9Q,YAAY;EACZ,wCAAwC;EACxC,qBAAqB;EACrB,WAAW;EACX,YAAY;AACd;AACA;;EAEE,wBAAwB;EACxB,wBAAwB;AAC1B;AACA;;;;;;EAME,eAAe;EACf,UAAU;AACZ;AACA;EACE,WAAW;AACb;AACA;EACE,eAAe;AACjB;AACA;EACE,yCAAyC;AAC3C;AACA;EACE,2CAA2C;AAC7C;AACA;EACE,2CAA2C;AAC7C;AACA;;EAEE,2CAA2C;AAC7C;AACA;EACE,yDAAsT;AACxT;AACA;EACE,WAAW;EACX,YAAY;EACZ,eAAe;EACf,gBAAgB;EAChB,4BAA4B;EAC5B,wBAAwB;EACxB,aAAa;EACb,uBAAuB;AACzB;AACA;EACE,+BAA+B;AACjC;AACA;EACE,eAAe;EACf,gBAAgB;EAChB,uBAAuB;EACvB,mBAAmB;AACrB;AACA;EACE,cAAc;AAChB;AACA;EACE,sBAAsB;AACxB;AACA;EACE,eAAe;EACf,sBAAsB;AACxB;AACA;EACE,qBAAqB;AACvB;AACA;EACE;IACE,2BAA2B;EAC7B;EACA;IACE,6BAA6B;EAC/B;EACA;IACE,2BAA2B;EAC7B;AACF;AACA;EACE,6BAA6B;AAC/B;AACA;EACE,qBAAqB;EACrB,YAAY;EACZ,oIAAoI;EACpI,2BAA2B;EAC3B,mCAAmC;EACnC,8CAA8C;AAChD;AACA;EACE,oBAAoB;EACpB,mBAAmB;AACrB;AACA;EACE,WAAW;AACb;AACA;EACE,wBAAwB;EACxB,YAAY;AACd;AACA;EACE,WAAW;AACb;AACA;EACE,WAAW;AACb;AACA;EACE,+BAA+B;AACjC;AACA;EACE,eAAe;EACf,gBAAgB;EAChB,uBAAuB;EACvB,mBAAmB;AACrB;AACA;EACE,cAAc;AAChB;AACA;EACE,sBAAsB;AACxB;AACA;EACE,eAAe;EACf,sBAAsB;AACxB;AACA;EACE,qBAAqB;AACvB;AACA;EACE,8CAA8C;AAChD;AACA;EACE,+CAA+C;AACjD;AACA;EACE,aAAa;EACb,sBAAsB;EACtB,mBAAmB;EACnB,YAAY;AACd;AACA;EACE,yBAAyB;EACzB,YAAY;EACZ,gBAAgB;EAChB,uBAAuB;AACzB;AACA;EACE,oCAAoC;EACpC,sBAAsB;AACxB;AACA;EACE,WAAW;EACX,YAAY;EACZ,cAAc;AAChB;AACA;EACE,WAAW;EACX,yBAAyB;EACzB,qBAAqB;AACvB;AACA;EACE,WAAW;EACX,gBAAgB;EAChB,mBAAmB;AACrB;AACA;EACE,gBAAgB;EAChB,UAAU;EACV,MAAM;EACN,8CAA8C;EAC9C,YAAY;AACd;AACA;EACE,aAAa;AACf;AACA;EACE,WAAW;AACb;AACA;EACE,YAAY;AACd;AACA;EACE,YAAY;AACd;AACA;EACE,YAAY;AACd;AACA;EACE,sBAAsB;EACtB,2BAA2B;AAC7B;AACA;EACE,wBAAwB;AAC1B;AACA;EACE,oBAAoB;AACtB;AACA;EACE,oCAAoC;AACtC;AACA;EACE,gBAAgB;AAClB;AACA;EACE,uBAAuB;AACzB;AACA;EACE,aAAa;EACb,sBAAsB;EACtB,oBAAoB;EACpB,UAAU;EACV,gBAAgB;EAChB,YAAY;EACZ,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._file-picker__file-icon_1vgv4_5 {\\n width: 32px;\\n height: 32px;\\n min-width: 32px;\\n min-height: 32px;\\n background-repeat: no-repeat;\\n background-size: contain;\\n display: flex;\\n justify-content: center;\\n}\\ntr.file-picker__row[data-v-6aded0d9] {\\n height: var(--row-height, 50px);\\n}\\ntr.file-picker__row td[data-v-6aded0d9] {\\n cursor: pointer;\\n overflow: hidden;\\n text-overflow: ellipsis;\\n border-bottom: none;\\n}\\ntr.file-picker__row td.row-checkbox[data-v-6aded0d9] {\\n padding: 0 2px;\\n}\\ntr.file-picker__row td[data-v-6aded0d9]:not(.row-checkbox) {\\n padding-inline: 14px 0;\\n}\\ntr.file-picker__row td.row-size[data-v-6aded0d9] {\\n text-align: end;\\n padding-inline: 0 14px;\\n}\\ntr.file-picker__row td.row-name[data-v-6aded0d9] {\\n padding-inline: 2px 0;\\n}\\n@keyframes gradient-6aded0d9 {\\n 0% {\\n background-position: 0% 50%;\\n }\\n 50% {\\n background-position: 100% 50%;\\n }\\n to {\\n background-position: 0% 50%;\\n }\\n}\\n.loading-row .row-checkbox[data-v-6aded0d9] {\\n text-align: center !important;\\n}\\n.loading-row span[data-v-6aded0d9] {\\n display: inline-block;\\n height: 24px;\\n background: linear-gradient(to right, var(--color-background-darker), var(--color-text-maxcontrast), var(--color-background-darker));\\n background-size: 600px 100%;\\n border-radius: var(--border-radius);\\n animation: gradient-6aded0d9 12s ease infinite;\\n}\\n.loading-row .row-wrapper[data-v-6aded0d9] {\\n display: inline-flex;\\n align-items: center;\\n}\\n.loading-row .row-checkbox span[data-v-6aded0d9] {\\n width: 24px;\\n}\\n.loading-row .row-name span[data-v-6aded0d9]:last-of-type {\\n margin-inline-start: 6px;\\n width: 130px;\\n}\\n.loading-row .row-size span[data-v-6aded0d9] {\\n width: 80px;\\n}\\n.loading-row .row-modified span[data-v-6aded0d9] {\\n width: 90px;\\n}\\ntr.file-picker__row[data-v-48df4f27] {\\n height: var(--row-height, 50px);\\n}\\ntr.file-picker__row td[data-v-48df4f27] {\\n cursor: pointer;\\n overflow: hidden;\\n text-overflow: ellipsis;\\n border-bottom: none;\\n}\\ntr.file-picker__row td.row-checkbox[data-v-48df4f27] {\\n padding: 0 2px;\\n}\\ntr.file-picker__row td[data-v-48df4f27]:not(.row-checkbox) {\\n padding-inline: 14px 0;\\n}\\ntr.file-picker__row td.row-size[data-v-48df4f27] {\\n text-align: end;\\n padding-inline: 0 14px;\\n}\\ntr.file-picker__row td.row-name[data-v-48df4f27] {\\n padding-inline: 2px 0;\\n}\\n.file-picker__row--selected[data-v-48df4f27] {\\n background-color: var(--color-background-dark);\\n}\\n.file-picker__row[data-v-48df4f27]:hover {\\n background-color: var(--color-background-hover);\\n}\\n.file-picker__name-container[data-v-48df4f27] {\\n display: flex;\\n justify-content: start;\\n align-items: center;\\n height: 100%;\\n}\\n.file-picker__file-name[data-v-48df4f27] {\\n padding-inline-start: 6px;\\n min-width: 0;\\n overflow: hidden;\\n text-overflow: ellipsis;\\n}\\n.file-picker__file-extension[data-v-48df4f27] {\\n color: var(--color-text-maxcontrast);\\n min-width: fit-content;\\n}\\n.file-picker__header-preview[data-v-d3c94818] {\\n width: 22px;\\n height: 32px;\\n flex: 0 0 auto;\\n}\\n.file-picker__files[data-v-d3c94818] {\\n margin: 2px;\\n margin-inline-start: 12px;\\n overflow: scroll auto;\\n}\\n.file-picker__files table[data-v-d3c94818] {\\n width: 100%;\\n max-height: 100%;\\n table-layout: fixed;\\n}\\n.file-picker__files th[data-v-d3c94818] {\\n position: sticky;\\n z-index: 1;\\n top: 0;\\n background-color: var(--color-main-background);\\n padding: 2px;\\n}\\n.file-picker__files th .header-wrapper[data-v-d3c94818] {\\n display: flex;\\n}\\n.file-picker__files th.row-checkbox[data-v-d3c94818] {\\n width: 44px;\\n}\\n.file-picker__files th.row-name[data-v-d3c94818] {\\n width: 230px;\\n}\\n.file-picker__files th.row-size[data-v-d3c94818] {\\n width: 100px;\\n}\\n.file-picker__files th.row-modified[data-v-d3c94818] {\\n width: 120px;\\n}\\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue__wrapper {\\n justify-content: start;\\n flex-direction: row-reverse;\\n}\\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue {\\n padding-inline: 16px 4px;\\n}\\n.file-picker__files th.row-size[data-v-d3c94818] .button-vue__wrapper {\\n justify-content: end;\\n}\\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper {\\n color: var(--color-text-maxcontrast);\\n}\\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper .button-vue__text {\\n font-weight: 400;\\n}\\n.file-picker__breadcrumbs[data-v-3bc9efa5] {\\n flex-grow: 0 !important;\\n}\\n.file-picker__side[data-v-e96bec41] {\\n display: flex;\\n flex-direction: column;\\n align-items: stretch;\\n gap: .5rem;\\n min-width: 200px;\\n padding: 2px;\\n overflow: auto;\\n}\\n.file-picker__side[data-v-e96bec41] .button-vue__wrapper {\\n justify-content: start;\\n}\\n.file-picker__filter-input[data-v-e96bec41] {\\n margin-block: 7px;\\n max-width: 260px;\\n}\\n@media (max-width: 736px) {\\n .file-picker__side[data-v-e96bec41] {\\n flex-direction: row;\\n min-width: unset;\\n }\\n}\\n@media (max-width: 512px) {\\n .file-picker__side[data-v-e96bec41] {\\n flex-direction: row;\\n min-width: unset;\\n }\\n .file-picker__filter-input[data-v-e96bec41] {\\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-c6479356] {\\n height: 50px;\\n display: flex;\\n justify-content: start;\\n align-items: center;\\n}\\n.file-picker__view h3[data-v-c6479356] {\\n font-weight: 700;\\n height: fit-content;\\n margin: 0;\\n}\\n.file-picker__main[data-v-c6479356] {\\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-c6479356] {\\n box-sizing: border-box;\\n}\\n[data-v-c6479356] .file-picker {\\n height: min(80vh, 800px) !important;\\n}\\n@media (max-width: 512px) {\\n [data-v-c6479356] .file-picker {\\n height: calc(100% - 16px - var(--default-clickable-area)) !important;\\n }\\n}\\n[data-v-c6479356] .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-af4c69fa] {\n display: inline-flex;\n align-items: center;\n height: 44px;\n}\n.upload-picker__progress[data-v-af4c69fa] {\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-af4c69fa] {\n overflow: hidden;\n white-space: nowrap;\n text-overflow: ellipsis;\n}\n.upload-picker--uploading .upload-picker__progress[data-v-af4c69fa] {\n max-width: 200px;\n margin-right: 20px;\n margin-left: 8px;\n}\n.upload-picker--paused .upload-picker__progress[data-v-af4c69fa] {\n animation: breathing-af4c69fa 3s ease-out infinite normal;\n}\n@keyframes breathing-af4c69fa {\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-7900cbe9.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-af4c69fa] {\\n display: inline-flex;\\n align-items: center;\\n height: 44px;\\n}\\n.upload-picker__progress[data-v-af4c69fa] {\\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-af4c69fa] {\\n overflow: hidden;\\n white-space: nowrap;\\n text-overflow: ellipsis;\\n}\\n.upload-picker--uploading .upload-picker__progress[data-v-af4c69fa] {\\n max-width: 200px;\\n margin-right: 20px;\\n margin-left: 8px;\\n}\\n.upload-picker--paused .upload-picker__progress[data-v-af4c69fa] {\\n animation: breathing-af4c69fa 3s ease-out infinite normal;\\n}\\n@keyframes breathing-af4c69fa {\\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, `.breadcrumb[data-v-1c4866bc]{flex:1 1 100% !important;width:100%}.breadcrumb[data-v-1c4866bc] a{cursor:pointer !important}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/components/BreadCrumbs.vue\"],\"names\":[],\"mappings\":\"AACA,6BAEC,wBAAA,CACA,UAAA,CAEA,+BACC,yBAAA\",\"sourcesContent\":[\"\\n.breadcrumb {\\n\\t// Take as much space as possible\\n\\tflex: 1 1 100% !important;\\n\\twidth: 100%;\\n\\n\\t::v-deep a {\\n\\t\\tcursor: pointer !important;\\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-drop-notice[data-v-069817aa]{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-069817aa]{margin-left:16px;color:inherit}.files-list__drag-drop-notice-wrapper[data-v-069817aa]{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-77afa6dc]{color:#a08b00;min-width:unset !important;min-height:unset !important}.favorite-marker-icon[data-v-77afa6dc] svg{width:26px !important;height:26px !important;max-width:unset !important;max-height:unset !important}.favorite-marker-icon[data-v-77afa6dc] 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, `.app-content[style*=mouse-pos-x] .v-popper__popper{transform:translate3d(var(--mouse-pos-x), var(--mouse-pos-y), 0px) !important}.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), 0px) !important}.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,mDACC,6EAAA,CAGA,8EACC,0FAAA,CAGD,8EACC,YAAA\",\"sourcesContent\":[\"\\n// Allow right click to define the position of the menu\\n// only if defined\\n.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\\ttransform: translate3d(var(--mouse-pos-x), calc(var(--mouse-pos-y) - 50vh), 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-3daa457a] .button-vue--icon-and-text .button-vue__text{color:var(--color-primary-element)}[data-v-3daa457a] .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-769ad83a]{user-select:none;color:var(--color-text-maxcontrast) !important}.files-list__column--sortable[data-v-769ad83a]{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-2fbb2389]{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-2dd1845e]{margin:0 calc(var(--cell-margin)*-1);min-width:calc(100% - 3*var(--cell-margin)) !important}.files-list__column-sort-button-text[data-v-2dd1845e]{color:var(--color-text-maxcontrast);font-weight:normal}.files-list__column-sort-button-icon[data-v-2dd1845e]{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-2dd1845e]{inset-inline-start:10px}.files-list__column-sort-button--active .files-list__column-sort-button-icon[data-v-2dd1845e],.files-list__column-sort-button:hover .files-list__column-sort-button-icon[data-v-2dd1845e],.files-list__column-sort-button:focus .files-list__column-sort-button-icon[data-v-2dd1845e],.files-list__column-sort-button:active .files-list__column-sort-button-icon[data-v-2dd1845e]{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-056855cd]{--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;position:relative;overflow:auto;height:100%;will-change:scroll-position}.files-list[data-v-056855cd] tbody{will-change:padding;contain:layout paint style;display:flex;flex-direction:column;width:100%;position:relative}.files-list[data-v-056855cd] tbody tr{contain:strict}.files-list[data-v-056855cd] tbody tr:hover,.files-list[data-v-056855cd] tbody tr:focus{background-color:var(--color-background-dark)}.files-list[data-v-056855cd] .files-list__before{display:flex;flex-direction:column}.files-list[data-v-056855cd] .files-list__table{display:block}.files-list[data-v-056855cd] .files-list__thead-overlay{position:absolute;top:0;left:var(--row-height);right:0;z-index:1000;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-056855cd] .files-list__thead,.files-list[data-v-056855cd] .files-list__tfoot{display:flex;flex-direction:column;width:100%;background-color:var(--color-main-background)}.files-list[data-v-056855cd] .files-list__thead{position:sticky;z-index:10;top:0}.files-list[data-v-056855cd] .files-list__tfoot{min-height:300px}.files-list[data-v-056855cd] 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-056855cd] td,.files-list[data-v-056855cd] 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-056855cd] td span,.files-list[data-v-056855cd] th span{overflow:hidden;white-space:nowrap;text-overflow:ellipsis}.files-list[data-v-056855cd] .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-056855cd] .files-list__row-checkbox{justify-content:center}.files-list[data-v-056855cd] .files-list__row-checkbox .checkbox-radio-switch{display:flex;justify-content:center;--icon-size: var(--checkbox-size)}.files-list[data-v-056855cd] .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-056855cd] .files-list__row-checkbox .checkbox-radio-switch .checkbox-radio-switch__icon{margin:0 !important}.files-list[data-v-056855cd] .files-list__row:hover,.files-list[data-v-056855cd] .files-list__row:focus,.files-list[data-v-056855cd] .files-list__row:active,.files-list[data-v-056855cd] .files-list__row--active,.files-list[data-v-056855cd] .files-list__row--dragover{background-color:var(--color-background-hover);--color-text-maxcontrast: var(--color-main-text)}.files-list[data-v-056855cd] .files-list__row:hover>*,.files-list[data-v-056855cd] .files-list__row:focus>*,.files-list[data-v-056855cd] .files-list__row:active>*,.files-list[data-v-056855cd] .files-list__row--active>*,.files-list[data-v-056855cd] .files-list__row--dragover>*{--color-border: var(--color-border-dark)}.files-list[data-v-056855cd] .files-list__row:hover .favorite-marker-icon svg path,.files-list[data-v-056855cd] .files-list__row:focus .favorite-marker-icon svg path,.files-list[data-v-056855cd] .files-list__row:active .favorite-marker-icon svg path,.files-list[data-v-056855cd] .files-list__row--active .favorite-marker-icon svg path,.files-list[data-v-056855cd] .files-list__row--dragover .favorite-marker-icon svg path{stroke:var(--color-background-hover)}.files-list[data-v-056855cd] .files-list__row--dragover *{pointer-events:none}.files-list[data-v-056855cd] .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-056855cd] .files-list__row-icon *{cursor:pointer}.files-list[data-v-056855cd] .files-list__row-icon>span{justify-content:flex-start}.files-list[data-v-056855cd] .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-056855cd] .files-list__row-icon>span.folder-icon,.files-list[data-v-056855cd] .files-list__row-icon>span.folder-open-icon{margin:-3px}.files-list[data-v-056855cd] .files-list__row-icon>span.folder-icon svg,.files-list[data-v-056855cd] .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-056855cd] .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-056855cd] .files-list__row-icon-preview:not(.files-list__row-icon-preview--loaded){background:var(--color-loading-dark)}.files-list[data-v-056855cd] .files-list__row-icon-favorite{position:absolute;top:0px;right:-10px}.files-list[data-v-056855cd] .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-056855cd] .files-list__row-icon-overlay--file{color:var(--color-main-text);background:var(--color-main-background);border-radius:100%}.files-list[data-v-056855cd] .files-list__row-name{overflow:hidden;flex:1 1 auto}.files-list[data-v-056855cd] .files-list__row-name a{display:flex;align-items:center;width:100%;height:100%;min-width:0}.files-list[data-v-056855cd] .files-list__row-name a:focus-visible{outline:none}.files-list[data-v-056855cd] .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-056855cd] .files-list__row-name a:focus:not(:focus-visible) .files-list__row-name-text{outline:none !important}.files-list[data-v-056855cd] .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-056855cd] .files-list__row-name .files-list__row-name-ext{color:var(--color-text-maxcontrast);overflow:visible}.files-list[data-v-056855cd] .files-list__row-rename{width:100%;max-width:600px}.files-list[data-v-056855cd] .files-list__row-rename input{width:100%;margin-left:-8px;padding:2px 6px;border-width:2px}.files-list[data-v-056855cd] .files-list__row-rename input:invalid{border-color:var(--color-error);color:red}.files-list[data-v-056855cd] .files-list__row-actions{width:auto}.files-list[data-v-056855cd] .files-list__row-actions~td,.files-list[data-v-056855cd] .files-list__row-actions~th{margin:0 var(--cell-margin)}.files-list[data-v-056855cd] .files-list__row-actions button .button-vue__text{font-weight:normal}.files-list[data-v-056855cd] .files-list__row-action--inline{margin-right:7px}.files-list[data-v-056855cd] .files-list__row-mtime,.files-list[data-v-056855cd] .files-list__row-size{color:var(--color-text-maxcontrast)}.files-list[data-v-056855cd] .files-list__row-size{width:calc(var(--row-height)*1.5);justify-content:flex-end}.files-list[data-v-056855cd] .files-list__row-mtime{width:calc(var(--row-height)*2)}.files-list[data-v-056855cd] .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,iBAAA,CACA,aAAA,CACA,WAAA,CACA,2BAAA,CAIC,oCACC,mBAAA,CACA,0BAAA,CACA,YAAA,CACA,qBAAA,CACA,UAAA,CAEA,iBAAA,CAGA,uCACC,cAAA,CACA,0FAEC,6CAAA,CAMH,kDACC,YAAA,CACA,qBAAA,CAGD,iDACC,aAAA,CAGD,yDACC,iBAAA,CACA,KAAA,CACA,sBAAA,CACA,OAAA,CACA,YAAA,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\\tposition: relative;\\n\\toverflow: auto;\\n\\theight: 100%;\\n\\twill-change: scroll-position;\\n\\n\\t& :deep() {\\n\\t\\t// Table head, body and footer\\n\\t\\ttbody {\\n\\t\\t\\twill-change: padding;\\n\\t\\t\\tcontain: layout paint style;\\n\\t\\t\\tdisplay: flex;\\n\\t\\t\\tflex-direction: column;\\n\\t\\t\\twidth: 100%;\\n\\t\\t\\t// Necessary for virtual scrolling absolute\\n\\t\\t\\tposition: relative;\\n\\n\\t\\t\\t/* Hover effect on tbody lines only */\\n\\t\\t\\ttr {\\n\\t\\t\\t\\tcontain: strict;\\n\\t\\t\\t\\t&:hover,\\n\\t\\t\\t\\t&:focus {\\n\\t\\t\\t\\t\\tbackground-color: var(--color-background-dark);\\n\\t\\t\\t\\t}\\n\\t\\t\\t}\\n\\t\\t}\\n\\n\\t\\t// Before table and thead\\n\\t\\t.files-list__before {\\n\\t\\t\\tdisplay: flex;\\n\\t\\t\\tflex-direction: column;\\n\\t\\t}\\n\\n\\t\\t.files-list__table {\\n\\t\\t\\tdisplay: block;\\n\\t\\t}\\n\\n\\t\\t.files-list__thead-overlay {\\n\\t\\t\\tposition: absolute;\\n\\t\\t\\ttop: 0;\\n\\t\\t\\tleft: var(--row-height); // Save space for a row checkbox\\n\\t\\t\\tright: 0;\\n\\t\\t\\tz-index: 1000;\\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-18ceb3ce] .app-navigation-entry__name{margin-top:-6px}.app-navigation-entry__settings-quota progress[data-v-18ceb3ce]{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-460d7d98]{display:flex;overflow:hidden;flex-direction:column;max-height:100%;position:relative}.files-list__header[data-v-460d7d98]{display:flex;align-items:center;flex:0 0;margin:4px 4px 4px 50px;max-width:100%}.files-list__header>*[data-v-460d7d98]{flex:0 0}.files-list__header-share-button[data-v-460d7d98]{opacity:.3}.files-list__header-share-button--shared[data-v-460d7d98]{opacity:1}.files-list__refresh-icon[data-v-460d7d98]{flex:0 0 44px;width:44px;height:44px}.files-list__loading-icon[data-v-460d7d98]{margin:auto}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/views/FilesList.vue\"],\"names\":[],\"mappings\":\"AACA,8BAEC,YAAA,CACA,eAAA,CACA,qBAAA,CACA,eAAA,CACA,iBAAA,CAOA,qCACC,YAAA,CACA,kBAAA,CAEA,QAAA,CAEA,uBAAA,CACA,cAAA,CACA,uCAGC,QAAA,CAGD,kDACC,UAAA,CACA,0DACC,SAAA,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;\\n}\\n\\n$margin: 4px;\\n$navigationToggleSize: 50px;\\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\\t// Align with the navigation toggle icon\\n\\t\\tmargin: $margin $margin $margin $navigationToggleSize;\\n\\t\\tmax-width: 100%;\\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\\topacity: .3;\\n\\t\\t\\t&--shared {\\n\\t\\t\\t\\topacity: 1;\\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\\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-3f2914e1] .app-navigation-entry-icon{background-repeat:no-repeat;background-position:center}.app-navigation[data-v-3f2914e1] .app-navigation-entry.active .button-vue.icon-collapse:not(:hover){color:var(--color-primary-element-text)}.app-navigation>ul.app-navigation__list[data-v-3f2914e1]{padding-bottom:var(--default-grid-baseline, 4px)}.app-navigation-entry__settings[data-v-3f2914e1]{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-decd355e]: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","var map = {\n\t\"./af\": 42786,\n\t\"./af.js\": 42786,\n\t\"./ar\": 30867,\n\t\"./ar-dz\": 14130,\n\t\"./ar-dz.js\": 14130,\n\t\"./ar-kw\": 96135,\n\t\"./ar-kw.js\": 96135,\n\t\"./ar-ly\": 56440,\n\t\"./ar-ly.js\": 56440,\n\t\"./ar-ma\": 47702,\n\t\"./ar-ma.js\": 47702,\n\t\"./ar-sa\": 16040,\n\t\"./ar-sa.js\": 16040,\n\t\"./ar-tn\": 37100,\n\t\"./ar-tn.js\": 37100,\n\t\"./ar.js\": 30867,\n\t\"./az\": 31083,\n\t\"./az.js\": 31083,\n\t\"./be\": 9808,\n\t\"./be.js\": 9808,\n\t\"./bg\": 68338,\n\t\"./bg.js\": 68338,\n\t\"./bm\": 67438,\n\t\"./bm.js\": 67438,\n\t\"./bn\": 8905,\n\t\"./bn-bd\": 76225,\n\t\"./bn-bd.js\": 76225,\n\t\"./bn.js\": 8905,\n\t\"./bo\": 11560,\n\t\"./bo.js\": 11560,\n\t\"./br\": 1278,\n\t\"./br.js\": 1278,\n\t\"./bs\": 80622,\n\t\"./bs.js\": 80622,\n\t\"./ca\": 2468,\n\t\"./ca.js\": 2468,\n\t\"./cs\": 5822,\n\t\"./cs.js\": 5822,\n\t\"./cv\": 50877,\n\t\"./cv.js\": 50877,\n\t\"./cy\": 47373,\n\t\"./cy.js\": 47373,\n\t\"./da\": 24780,\n\t\"./da.js\": 24780,\n\t\"./de\": 59740,\n\t\"./de-at\": 60217,\n\t\"./de-at.js\": 60217,\n\t\"./de-ch\": 60894,\n\t\"./de-ch.js\": 60894,\n\t\"./de.js\": 59740,\n\t\"./dv\": 5300,\n\t\"./dv.js\": 5300,\n\t\"./el\": 50837,\n\t\"./el.js\": 50837,\n\t\"./en-au\": 78348,\n\t\"./en-au.js\": 78348,\n\t\"./en-ca\": 77925,\n\t\"./en-ca.js\": 77925,\n\t\"./en-gb\": 22243,\n\t\"./en-gb.js\": 22243,\n\t\"./en-ie\": 46436,\n\t\"./en-ie.js\": 46436,\n\t\"./en-il\": 47207,\n\t\"./en-il.js\": 47207,\n\t\"./en-in\": 44175,\n\t\"./en-in.js\": 44175,\n\t\"./en-nz\": 76319,\n\t\"./en-nz.js\": 76319,\n\t\"./en-sg\": 31662,\n\t\"./en-sg.js\": 31662,\n\t\"./eo\": 92915,\n\t\"./eo.js\": 92915,\n\t\"./es\": 55655,\n\t\"./es-do\": 55251,\n\t\"./es-do.js\": 55251,\n\t\"./es-mx\": 96112,\n\t\"./es-mx.js\": 96112,\n\t\"./es-us\": 71146,\n\t\"./es-us.js\": 71146,\n\t\"./es.js\": 55655,\n\t\"./et\": 5603,\n\t\"./et.js\": 5603,\n\t\"./eu\": 77763,\n\t\"./eu.js\": 77763,\n\t\"./fa\": 76959,\n\t\"./fa.js\": 76959,\n\t\"./fi\": 11897,\n\t\"./fi.js\": 11897,\n\t\"./fil\": 42549,\n\t\"./fil.js\": 42549,\n\t\"./fo\": 94694,\n\t\"./fo.js\": 94694,\n\t\"./fr\": 94470,\n\t\"./fr-ca\": 63049,\n\t\"./fr-ca.js\": 63049,\n\t\"./fr-ch\": 52330,\n\t\"./fr-ch.js\": 52330,\n\t\"./fr.js\": 94470,\n\t\"./fy\": 5044,\n\t\"./fy.js\": 5044,\n\t\"./ga\": 29295,\n\t\"./ga.js\": 29295,\n\t\"./gd\": 2101,\n\t\"./gd.js\": 2101,\n\t\"./gl\": 38794,\n\t\"./gl.js\": 38794,\n\t\"./gom-deva\": 27884,\n\t\"./gom-deva.js\": 27884,\n\t\"./gom-latn\": 23168,\n\t\"./gom-latn.js\": 23168,\n\t\"./gu\": 95349,\n\t\"./gu.js\": 95349,\n\t\"./he\": 24206,\n\t\"./he.js\": 24206,\n\t\"./hi\": 30094,\n\t\"./hi.js\": 30094,\n\t\"./hr\": 30316,\n\t\"./hr.js\": 30316,\n\t\"./hu\": 22138,\n\t\"./hu.js\": 22138,\n\t\"./hy-am\": 11423,\n\t\"./hy-am.js\": 11423,\n\t\"./id\": 29218,\n\t\"./id.js\": 29218,\n\t\"./is\": 90135,\n\t\"./is.js\": 90135,\n\t\"./it\": 90626,\n\t\"./it-ch\": 10150,\n\t\"./it-ch.js\": 10150,\n\t\"./it.js\": 90626,\n\t\"./ja\": 39183,\n\t\"./ja.js\": 39183,\n\t\"./jv\": 24286,\n\t\"./jv.js\": 24286,\n\t\"./ka\": 12105,\n\t\"./ka.js\": 12105,\n\t\"./kk\": 47772,\n\t\"./kk.js\": 47772,\n\t\"./km\": 18758,\n\t\"./km.js\": 18758,\n\t\"./kn\": 79282,\n\t\"./kn.js\": 79282,\n\t\"./ko\": 33730,\n\t\"./ko.js\": 33730,\n\t\"./ku\": 1408,\n\t\"./ku.js\": 1408,\n\t\"./ky\": 33291,\n\t\"./ky.js\": 33291,\n\t\"./lb\": 36841,\n\t\"./lb.js\": 36841,\n\t\"./lo\": 55466,\n\t\"./lo.js\": 55466,\n\t\"./lt\": 57010,\n\t\"./lt.js\": 57010,\n\t\"./lv\": 37595,\n\t\"./lv.js\": 37595,\n\t\"./me\": 39861,\n\t\"./me.js\": 39861,\n\t\"./mi\": 35493,\n\t\"./mi.js\": 35493,\n\t\"./mk\": 95966,\n\t\"./mk.js\": 95966,\n\t\"./ml\": 87341,\n\t\"./ml.js\": 87341,\n\t\"./mn\": 5115,\n\t\"./mn.js\": 5115,\n\t\"./mr\": 10370,\n\t\"./mr.js\": 10370,\n\t\"./ms\": 9847,\n\t\"./ms-my\": 41237,\n\t\"./ms-my.js\": 41237,\n\t\"./ms.js\": 9847,\n\t\"./mt\": 72126,\n\t\"./mt.js\": 72126,\n\t\"./my\": 56165,\n\t\"./my.js\": 56165,\n\t\"./nb\": 64924,\n\t\"./nb.js\": 64924,\n\t\"./ne\": 16744,\n\t\"./ne.js\": 16744,\n\t\"./nl\": 93901,\n\t\"./nl-be\": 59814,\n\t\"./nl-be.js\": 59814,\n\t\"./nl.js\": 93901,\n\t\"./nn\": 83877,\n\t\"./nn.js\": 83877,\n\t\"./oc-lnc\": 92135,\n\t\"./oc-lnc.js\": 92135,\n\t\"./pa-in\": 15858,\n\t\"./pa-in.js\": 15858,\n\t\"./pl\": 64495,\n\t\"./pl.js\": 64495,\n\t\"./pt\": 89520,\n\t\"./pt-br\": 57971,\n\t\"./pt-br.js\": 57971,\n\t\"./pt.js\": 89520,\n\t\"./ro\": 96459,\n\t\"./ro.js\": 96459,\n\t\"./ru\": 21793,\n\t\"./ru.js\": 21793,\n\t\"./sd\": 40950,\n\t\"./sd.js\": 40950,\n\t\"./se\": 10490,\n\t\"./se.js\": 10490,\n\t\"./si\": 90124,\n\t\"./si.js\": 90124,\n\t\"./sk\": 64249,\n\t\"./sk.js\": 64249,\n\t\"./sl\": 14985,\n\t\"./sl.js\": 14985,\n\t\"./sq\": 51104,\n\t\"./sq.js\": 51104,\n\t\"./sr\": 49131,\n\t\"./sr-cyrl\": 79915,\n\t\"./sr-cyrl.js\": 79915,\n\t\"./sr.js\": 49131,\n\t\"./ss\": 85893,\n\t\"./ss.js\": 85893,\n\t\"./sv\": 98760,\n\t\"./sv.js\": 98760,\n\t\"./sw\": 91172,\n\t\"./sw.js\": 91172,\n\t\"./ta\": 27333,\n\t\"./ta.js\": 27333,\n\t\"./te\": 23110,\n\t\"./te.js\": 23110,\n\t\"./tet\": 52095,\n\t\"./tet.js\": 52095,\n\t\"./tg\": 27321,\n\t\"./tg.js\": 27321,\n\t\"./th\": 9041,\n\t\"./th.js\": 9041,\n\t\"./tk\": 19005,\n\t\"./tk.js\": 19005,\n\t\"./tl-ph\": 75768,\n\t\"./tl-ph.js\": 75768,\n\t\"./tlh\": 89444,\n\t\"./tlh.js\": 89444,\n\t\"./tr\": 72397,\n\t\"./tr.js\": 72397,\n\t\"./tzl\": 28254,\n\t\"./tzl.js\": 28254,\n\t\"./tzm\": 51106,\n\t\"./tzm-latn\": 30699,\n\t\"./tzm-latn.js\": 30699,\n\t\"./tzm.js\": 51106,\n\t\"./ug-cn\": 9288,\n\t\"./ug-cn.js\": 9288,\n\t\"./uk\": 67691,\n\t\"./uk.js\": 67691,\n\t\"./ur\": 13795,\n\t\"./ur.js\": 13795,\n\t\"./uz\": 6791,\n\t\"./uz-latn\": 60588,\n\t\"./uz-latn.js\": 60588,\n\t\"./uz.js\": 6791,\n\t\"./vi\": 65666,\n\t\"./vi.js\": 65666,\n\t\"./x-pseudo\": 14378,\n\t\"./x-pseudo.js\": 14378,\n\t\"./yo\": 75805,\n\t\"./yo.js\": 75805,\n\t\"./zh-cn\": 83839,\n\t\"./zh-cn.js\": 83839,\n\t\"./zh-hk\": 55726,\n\t\"./zh-hk.js\": 55726,\n\t\"./zh-mo\": 99807,\n\t\"./zh-mo.js\": 99807,\n\t\"./zh-tw\": 74152,\n\t\"./zh-tw.js\": 74152\n};\n\n\nfunction webpackContext(req) {\n\tvar id = webpackContextResolve(req);\n\treturn __webpack_require__(id);\n}\nfunction webpackContextResolve(req) {\n\tif(!__webpack_require__.o(map, req)) {\n\t\tvar e = new Error(\"Cannot find module '\" + req + \"'\");\n\t\te.code = 'MODULE_NOT_FOUND';\n\t\tthrow e;\n\t}\n\treturn map[req];\n}\nwebpackContext.keys = function webpackContextKeys() {\n\treturn Object.keys(map);\n};\nwebpackContext.resolve = webpackContextResolve;\nmodule.exports = webpackContext;\nwebpackContext.id = 46700;",";(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++, //