\n\t\t\t\t\t\t{{ t('dashboard', 'For your privacy, the weather data is requested by your Nextcloud server on your behalf so the weather service receives no personal information.') }}\n\t\t\t\t\t
\\n\\t\\t\\t\\t\\t\\t{{ t('dashboard', 'For your privacy, the weather data is requested by your Nextcloud server on your behalf so the weather service receives no personal information.') }}\\n\\t\\t\\t\\t\\t
\\n\\t\\t\\t\\t\\t\\t{{ t('dashboard', 'For your privacy, the weather data is requested by your {productName} server on your behalf so the weather service receives no personal information.', { productName }) }}\\n\\t\\t\\t\\t\\t
\n\t\t\t\t\t\t{{ t('dashboard', 'For your privacy, the weather data is requested by your {productName} server on your behalf so the weather service receives no personal information.', { productName }) }}\n\t\t\t\t\t
\\n\\t\\t\\t\\t{{ textExistingFilesNotEncrypted }}\\n\\t\\t\\t\\t{{ t('settings', 'To encrypt all existing files run this OCC command:') }}\\n\\t\\t\\t
\\n\\t\\t\\t\\t{{\\n\\t\\t\\t\\t\\tt(\\n\\t\\t\\t\\t\\t\\t'settings',\\n\\t\\t\\t\\t\\t\\t'You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one. Please enable the \\\"Default encryption module\\\" and run {command}',\\n\\t\\t\\t\\t\\t\\t{ command: '\\\"occ encryption:migrate\\\"' },\\n\\t\\t\\t\\t\\t)\\n\\t\\t\\t\\t}}\\n\\t\\t\\t
\\n\\t\\t\\n\\t\\n\\n\\n\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","/**\n * This function is like `arrayIncludes` except that it accepts a comparator.\n *\n * @private\n * @param {Array} [array] The array to inspect.\n * @param {*} target The value to search for.\n * @param {Function} comparator The comparator invoked per element.\n * @returns {boolean} Returns `true` if `target` is found, else `false`.\n */\nfunction arrayIncludesWith(array, value, comparator) {\n var index = -1,\n length = array == null ? 0 : array.length;\n\n while (++index < length) {\n if (comparator(value, array[index])) {\n return true;\n }\n }\n return false;\n}\n\nmodule.exports = arrayIncludesWith;\n","var isObject = require('./isObject'),\n now = require('./now'),\n toNumber = require('./toNumber');\n\n/** Error message constants. */\nvar FUNC_ERROR_TEXT = 'Expected a function';\n\n/* Built-in method references for those with the same name as other `lodash` methods. */\nvar nativeMax = Math.max,\n nativeMin = Math.min;\n\n/**\n * Creates a debounced function that delays invoking `func` until after `wait`\n * milliseconds have elapsed since the last time the debounced function was\n * invoked. The debounced function comes with a `cancel` method to cancel\n * delayed `func` invocations and a `flush` method to immediately invoke them.\n * Provide `options` to indicate whether `func` should be invoked on the\n * leading and/or trailing edge of the `wait` timeout. The `func` is invoked\n * with the last arguments provided to the debounced function. Subsequent\n * calls to the debounced function return the result of the last `func`\n * invocation.\n *\n * **Note:** If `leading` and `trailing` options are `true`, `func` is\n * invoked on the trailing edge of the timeout only if the debounced function\n * is invoked more than once during the `wait` timeout.\n *\n * If `wait` is `0` and `leading` is `false`, `func` invocation is deferred\n * until to the next tick, similar to `setTimeout` with a timeout of `0`.\n *\n * See [David Corbacho's article](https://css-tricks.com/debouncing-throttling-explained-examples/)\n * for details over the differences between `_.debounce` and `_.throttle`.\n *\n * @static\n * @memberOf _\n * @since 0.1.0\n * @category Function\n * @param {Function} func The function to debounce.\n * @param {number} [wait=0] The number of milliseconds to delay.\n * @param {Object} [options={}] The options object.\n * @param {boolean} [options.leading=false]\n * Specify invoking on the leading edge of the timeout.\n * @param {number} [options.maxWait]\n * The maximum time `func` is allowed to be delayed before it's invoked.\n * @param {boolean} [options.trailing=true]\n * Specify invoking on the trailing edge of the timeout.\n * @returns {Function} Returns the new debounced function.\n * @example\n *\n * // Avoid costly calculations while the window size is in flux.\n * jQuery(window).on('resize', _.debounce(calculateLayout, 150));\n *\n * // Invoke `sendMail` when clicked, debouncing subsequent calls.\n * jQuery(element).on('click', _.debounce(sendMail, 300, {\n * 'leading': true,\n * 'trailing': false\n * }));\n *\n * // Ensure `batchLog` is invoked once after 1 second of debounced calls.\n * var debounced = _.debounce(batchLog, 250, { 'maxWait': 1000 });\n * var source = new EventSource('/stream');\n * jQuery(source).on('message', debounced);\n *\n * // Cancel the trailing debounced invocation.\n * jQuery(window).on('popstate', debounced.cancel);\n */\nfunction debounce(func, wait, options) {\n var lastArgs,\n lastThis,\n maxWait,\n result,\n timerId,\n lastCallTime,\n lastInvokeTime = 0,\n leading = false,\n maxing = false,\n trailing = true;\n\n if (typeof func != 'function') {\n throw new TypeError(FUNC_ERROR_TEXT);\n }\n wait = toNumber(wait) || 0;\n if (isObject(options)) {\n leading = !!options.leading;\n maxing = 'maxWait' in options;\n maxWait = maxing ? nativeMax(toNumber(options.maxWait) || 0, wait) : maxWait;\n trailing = 'trailing' in options ? !!options.trailing : trailing;\n }\n\n function invokeFunc(time) {\n var args = lastArgs,\n thisArg = lastThis;\n\n lastArgs = lastThis = undefined;\n lastInvokeTime = time;\n result = func.apply(thisArg, args);\n return result;\n }\n\n function leadingEdge(time) {\n // Reset any `maxWait` timer.\n lastInvokeTime = time;\n // Start the timer for the trailing edge.\n timerId = setTimeout(timerExpired, wait);\n // Invoke the leading edge.\n return leading ? invokeFunc(time) : result;\n }\n\n function remainingWait(time) {\n var timeSinceLastCall = time - lastCallTime,\n timeSinceLastInvoke = time - lastInvokeTime,\n timeWaiting = wait - timeSinceLastCall;\n\n return maxing\n ? nativeMin(timeWaiting, maxWait - timeSinceLastInvoke)\n : timeWaiting;\n }\n\n function shouldInvoke(time) {\n var timeSinceLastCall = time - lastCallTime,\n timeSinceLastInvoke = time - lastInvokeTime;\n\n // Either this is the first call, activity has stopped and we're at the\n // trailing edge, the system time has gone backwards and we're treating\n // it as the trailing edge, or we've hit the `maxWait` limit.\n return (lastCallTime === undefined || (timeSinceLastCall >= wait) ||\n (timeSinceLastCall < 0) || (maxing && timeSinceLastInvoke >= maxWait));\n }\n\n function timerExpired() {\n var time = now();\n if (shouldInvoke(time)) {\n return trailingEdge(time);\n }\n // Restart the timer.\n timerId = setTimeout(timerExpired, remainingWait(time));\n }\n\n function trailingEdge(time) {\n timerId = undefined;\n\n // Only invoke if we have `lastArgs` which means `func` has been\n // debounced at least once.\n if (trailing && lastArgs) {\n return invokeFunc(time);\n }\n lastArgs = lastThis = undefined;\n return result;\n }\n\n function cancel() {\n if (timerId !== undefined) {\n clearTimeout(timerId);\n }\n lastInvokeTime = 0;\n lastArgs = lastCallTime = lastThis = timerId = undefined;\n }\n\n function flush() {\n return timerId === undefined ? result : trailingEdge(now());\n }\n\n function debounced() {\n var time = now(),\n isInvoking = shouldInvoke(time);\n\n lastArgs = arguments;\n lastThis = this;\n lastCallTime = time;\n\n if (isInvoking) {\n if (timerId === undefined) {\n return leadingEdge(lastCallTime);\n }\n if (maxing) {\n // Handle invocations in a tight loop.\n clearTimeout(timerId);\n timerId = setTimeout(timerExpired, wait);\n return invokeFunc(lastCallTime);\n }\n }\n if (timerId === undefined) {\n timerId = setTimeout(timerExpired, wait);\n }\n return result;\n }\n debounced.cancel = cancel;\n debounced.flush = flush;\n return debounced;\n}\n\nmodule.exports = debounce;\n","var Set = require('./_Set'),\n noop = require('./noop'),\n setToArray = require('./_setToArray');\n\n/** Used as references for various `Number` constants. */\nvar INFINITY = 1 / 0;\n\n/**\n * Creates a set object of `values`.\n *\n * @private\n * @param {Array} values The values to add to the set.\n * @returns {Object} Returns the new set.\n */\nvar createSet = !(Set && (1 / setToArray(new Set([,-0]))[1]) == INFINITY) ? noop : function(values) {\n return new Set(values);\n};\n\nmodule.exports = createSet;\n","var SetCache = require('./_SetCache'),\n arrayIncludes = require('./_arrayIncludes'),\n arrayIncludesWith = require('./_arrayIncludesWith'),\n cacheHas = require('./_cacheHas'),\n createSet = require('./_createSet'),\n setToArray = require('./_setToArray');\n\n/** Used as the size to enable large array optimizations. */\nvar LARGE_ARRAY_SIZE = 200;\n\n/**\n * The base implementation of `_.uniqBy` without support for iteratee shorthands.\n *\n * @private\n * @param {Array} array The array to inspect.\n * @param {Function} [iteratee] The iteratee invoked per element.\n * @param {Function} [comparator] The comparator invoked per element.\n * @returns {Array} Returns the new duplicate free array.\n */\nfunction baseUniq(array, iteratee, comparator) {\n var index = -1,\n includes = arrayIncludes,\n length = array.length,\n isCommon = true,\n result = [],\n seen = result;\n\n if (comparator) {\n isCommon = false;\n includes = arrayIncludesWith;\n }\n else if (length >= LARGE_ARRAY_SIZE) {\n var set = iteratee ? null : createSet(array);\n if (set) {\n return setToArray(set);\n }\n isCommon = false;\n includes = cacheHas;\n seen = new SetCache;\n }\n else {\n seen = iteratee ? [] : result;\n }\n outer:\n while (++index < length) {\n var value = array[index],\n computed = iteratee ? iteratee(value) : value;\n\n value = (comparator || value !== 0) ? value : 0;\n if (isCommon && computed === computed) {\n var seenIndex = seen.length;\n while (seenIndex--) {\n if (seen[seenIndex] === computed) {\n continue outer;\n }\n }\n if (iteratee) {\n seen.push(computed);\n }\n result.push(value);\n }\n else if (!includes(seen, computed, comparator)) {\n if (seen !== result) {\n seen.push(computed);\n }\n result.push(value);\n }\n }\n return result;\n}\n\nmodule.exports = baseUniq;\n","var baseUniq = require('./_baseUniq');\n\n/**\n * Creates a duplicate-free version of an array, using\n * [`SameValueZero`](http://ecma-international.org/ecma-262/7.0/#sec-samevaluezero)\n * for equality comparisons, in which only the first occurrence of each element\n * is kept. The order of result values is determined by the order they occur\n * in the array.\n *\n * @static\n * @memberOf _\n * @since 0.1.0\n * @category Array\n * @param {Array} array The array to inspect.\n * @returns {Array} Returns the new duplicate free array.\n * @example\n *\n * _.uniq([2, 1, 2]);\n * // => [2, 1]\n */\nfunction uniq(array) {\n return (array && array.length) ? baseUniq(array) : [];\n}\n\nmodule.exports = uniq;\n","var baseSortedUniq = require('./_baseSortedUniq');\n\n/**\n * This method is like `_.uniq` except that it's designed and optimized\n * for sorted arrays.\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category Array\n * @param {Array} array The array to inspect.\n * @returns {Array} Returns the new duplicate free array.\n * @example\n *\n * _.sortedUniq([1, 1, 2]);\n * // => [1, 2]\n */\nfunction sortedUniq(array) {\n return (array && array.length)\n ? baseSortedUniq(array)\n : [];\n}\n\nmodule.exports = sortedUniq;\n","\n\n\t\n\t\t
\n\t\t\t{{ t('settings', 'Enforcement of two-factor authentication can be set for certain groups only.') }}\n\t\t\t
\n\t\t\t\t{{ t('settings', 'Two-factor authentication is enforced for all members of the following groups.') }}\n\t\t\t
\n\t\t\t
\n\t\t\t\t\n\t\t\t\t\n\t\t\t
\n\t\t\t
\n\t\t\t\t{{ t('settings', 'Two-factor authentication is not enforced for members of the following groups.') }}\n\t\t\t
\n\t\t\t
\n\t\t\t\t\n\t\t\t\t\n\t\t\t
\n\t\t\t
\n\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t{{ t('settings', 'When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced.') }}\n\t\t\t\t\n\t\t\t
\n\t\n\n\n\n\n\n","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AdminTwoFactor.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!./AdminTwoFactor.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/vue-loader/lib/index.js??vue-loader-options!./AdminTwoFactor.vue?vue&type=style&index=0&id=b52708a6&prod&scoped=true&lang=css\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\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/vue-loader/lib/index.js??vue-loader-options!./AdminTwoFactor.vue?vue&type=style&index=0&id=b52708a6&prod&scoped=true&lang=css\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./AdminTwoFactor.vue?vue&type=template&id=b52708a6&scoped=true\"\nimport script from \"./AdminTwoFactor.vue?vue&type=script&lang=js\"\nexport * from \"./AdminTwoFactor.vue?vue&type=script&lang=js\"\nimport style0 from \"./AdminTwoFactor.vue?vue&type=style&index=0&id=b52708a6&prod&scoped=true&lang=css\"\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 \"b52708a6\",\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('NcSettingsSection',{attrs:{\"name\":_vm.t('settings', 'Two-Factor Authentication'),\"description\":_vm.t('settings', 'Two-factor authentication can be enforced for all accounts and specific groups. If they do not have a two-factor provider configured, they will be unable to log into the system.'),\"doc-url\":_vm.twoFactorAdminDoc}},[(_vm.loading)?_c('p',[_c('span',{staticClass:\"icon-loading-small two-factor-loading\"}),_vm._v(\" \"),_c('span',[_vm._v(_vm._s(_vm.t('settings', 'Enforce two-factor authentication')))])]):_c('NcCheckboxRadioSwitch',{attrs:{\"id\":\"two-factor-enforced\",\"checked\":_vm.enforced,\"type\":\"switch\"},on:{\"update:checked\":function($event){_vm.enforced=$event}}},[_vm._v(\"\\n\\t\\t\"+_vm._s(_vm.t('settings', 'Enforce two-factor authentication'))+\"\\n\\t\")]),_vm._v(\" \"),(_vm.enforced)?[_c('h3',[_vm._v(_vm._s(_vm.t('settings', 'Limit to groups')))]),_vm._v(\"\\n\\t\\t\"+_vm._s(_vm.t('settings', 'Enforcement of two-factor authentication can be set for certain groups only.'))+\"\\n\\t\\t\"),_c('p',{staticClass:\"top-margin\"},[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_vm.t('settings', 'Two-factor authentication is enforced for all members of the following groups.'))+\"\\n\\t\\t\")]),_vm._v(\" \"),_c('p',[_c('label',{attrs:{\"for\":\"enforcedGroups\"}},[_c('span',[_vm._v(_vm._s(_vm.t('settings', 'Enforced groups')))])]),_vm._v(\" \"),_c('NcSelect',{attrs:{\"input-id\":\"enforcedGroups\",\"options\":_vm.groups,\"disabled\":_vm.loading,\"multiple\":true,\"loading\":_vm.loadingGroups,\"close-on-select\":false},on:{\"search\":_vm.searchGroup},model:{value:(_vm.enforcedGroups),callback:function ($$v) {_vm.enforcedGroups=$$v},expression:\"enforcedGroups\"}})],1),_vm._v(\" \"),_c('p',{staticClass:\"top-margin\"},[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_vm.t('settings', 'Two-factor authentication is not enforced for members of the following groups.'))+\"\\n\\t\\t\")]),_vm._v(\" \"),_c('p',[_c('label',{attrs:{\"for\":\"excludedGroups\"}},[_c('span',[_vm._v(_vm._s(_vm.t('settings', 'Excluded groups')))])]),_vm._v(\" \"),_c('NcSelect',{attrs:{\"input-id\":\"excludedGroups\",\"options\":_vm.groups,\"disabled\":_vm.loading,\"multiple\":true,\"loading\":_vm.loadingGroups,\"close-on-select\":false},on:{\"search\":_vm.searchGroup},model:{value:(_vm.excludedGroups),callback:function ($$v) {_vm.excludedGroups=$$v},expression:\"excludedGroups\"}})],1),_vm._v(\" \"),_c('p',{staticClass:\"top-margin\"},[_c('em',[_vm._v(\"\\n\\t\\t\\t\\t\"+_vm._s(_vm.t('settings', 'When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced.'))+\"\\n\\t\\t\\t\")])])]:_vm._e(),_vm._v(\" \"),_c('p',{staticClass:\"top-margin\"},[(_vm.dirty)?_c('NcButton',{attrs:{\"type\":\"primary\",\"disabled\":_vm.loading},on:{\"click\":_vm.saveChanges}},[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_vm.t('settings', 'Save changes'))+\"\\n\\t\\t\")]):_vm._e()],1)],2)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c(_setup.NcSettingsSection,{attrs:{\"name\":_setup.t('settings', 'Server-side encryption'),\"description\":_setup.t('settings', 'Server-side encryption makes it possible to encrypt files which are uploaded to this server. This comes with limitations like a performance penalty, so enable this only if needed.'),\"doc-url\":_setup.encryptionAdminDoc}},[(_setup.encryptionEnabled)?_c(_setup.NcNoteCard,{attrs:{\"type\":\"info\"}},[_c('p',[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_setup.textExistingFilesNotEncrypted)+\"\\n\\t\\t\\t\"+_vm._s(_setup.t('settings', 'To encrypt all existing files run this OCC command:'))+\"\\n\\t\\t\")]),_vm._v(\" \"),_c('code',[_c('pre',[_vm._v(\"occ encryption:encrypt-all\")])])]):_vm._e(),_vm._v(\" \"),_c(_setup.NcCheckboxRadioSwitch,{class:{ disabled: _setup.encryptionEnabled },attrs:{\"checked\":_setup.encryptionEnabled,\"aria-disabled\":_setup.encryptionEnabled ? 'true' : undefined,\"aria-describedby\":_setup.encryptionEnabled ? 'server-side-encryption-disable-hint' : undefined,\"loading\":_setup.loadingEncryptionState,\"type\":\"switch\"},on:{\"update:checked\":_setup.displayWarning}},[_vm._v(\"\\n\\t\\t\"+_vm._s(_setup.t('settings', 'Enable server-side encryption'))+\"\\n\\t\")]),_vm._v(\" \"),(_setup.encryptionEnabled)?_c('p',{staticClass:\"disable-hint\",attrs:{\"id\":\"server-side-encryption-disable-hint\"}},[_vm._v(\"\\n\\t\\t\"+_vm._s(_setup.t('settings', 'Disabling server side encryption is only possible using OCC, please refer to the documentation.'))+\"\\n\\t\")]):_vm._e(),_vm._v(\" \"),(_setup.encryptionModules.length === 0)?_c(_setup.NcNoteCard,{attrs:{\"type\":\"warning\",\"text\":_setup.t('settings', 'No encryption module loaded, please enable an encryption module in the app menu.')}}):(_setup.encryptionEnabled)?[(_setup.encryptionReady && _setup.encryptionModules.length > 0)?_c('div',[_c('h3',[_vm._v(_vm._s(_setup.t('settings', 'Select default encryption module:')))]),_vm._v(\" \"),_c('fieldset',_vm._l((_setup.encryptionModules),function(module){return _c(_setup.NcCheckboxRadioSwitch,{key:module.id,attrs:{\"checked\":_setup.defaultCheckedModule,\"value\":module.id,\"type\":\"radio\",\"name\":\"default_encryption_module\"},on:{\"update:checked\":[function($event){_setup.defaultCheckedModule=$event},_setup.checkDefaultModule]}},[_vm._v(\"\\n\\t\\t\\t\\t\\t\"+_vm._s(module.displayName)+\"\\n\\t\\t\\t\\t\")])}),1)]):(_setup.externalBackendsEnabled)?_c('div',[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_setup.t(\n\t\t\t\t\t'settings',\n\t\t\t\t\t'You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one. Please enable the \"Default encryption module\" and run {command}',\n\t\t\t\t\t{ command: '\"occ encryption:migrate\"' },\n\t\t\t\t))+\"\\n\\t\\t\")]):_vm._e()]:_vm._e()],2)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","/*!\n * SPDX-FileCopyrightText: 2025 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\nimport { t } from '@nextcloud/l10n';\nexport const textExistingFilesNotEncrypted = t('settings', 'For performance reasons, when you enable encryption on a Nextcloud server only new and changed files are encrypted.');\n","/**\n * SPDX-FileCopyrightText: 2020 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\nimport { getLoggerBuilder } from '@nextcloud/logger';\nexport default getLoggerBuilder()\n .setApp('settings')\n .detectUser()\n .build();\n","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c(_setup.NcDialog,{attrs:{\"buttons\":_setup.buttons,\"name\":_setup.t('settings', 'Confirm enabling encryption'),\"size\":\"normal\"},on:{\"update:open\":_setup.onUpdateOpen}},[_c(_setup.NcNoteCard,{attrs:{\"type\":\"warning\"}},[_c('p',[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_setup.t('settings', 'Please read carefully before activating server-side encryption:'))+\"\\n\\t\\t\\t\"),_c('ul',[_c('li',[_vm._v(\"\\n\\t\\t\\t\\t\\t\"+_vm._s(_setup.t('settings', 'Once encryption is enabled, all files uploaded to the server from that point forward will be encrypted at rest on the server. It will only be possible to disable encryption at a later date if the active encryption module supports that function, and all pre-conditions (e.g. setting a recover key) are met.'))+\"\\n\\t\\t\\t\\t\")]),_vm._v(\" \"),_c('li',[_vm._v(\"\\n\\t\\t\\t\\t\\t\"+_vm._s(_setup.t('settings', 'By default a master key for the whole instance will be generated. Please check if that level of access is compliant with your needs.'))+\"\\n\\t\\t\\t\\t\")]),_vm._v(\" \"),_c('li',[_vm._v(\"\\n\\t\\t\\t\\t\\t\"+_vm._s(_setup.t('settings', 'Encryption alone does not guarantee security of the system. Please see documentation for more information about how the encryption app works, and the supported use cases.'))+\"\\n\\t\\t\\t\\t\")]),_vm._v(\" \"),_c('li',[_vm._v(\"\\n\\t\\t\\t\\t\\t\"+_vm._s(_setup.t('settings', 'Be aware that encryption always increases the file size.'))+\"\\n\\t\\t\\t\\t\")]),_vm._v(\" \"),_c('li',[_vm._v(\"\\n\\t\\t\\t\\t\\t\"+_vm._s(_setup.t('settings', 'It is always good to create regular backups of your data, in case of encryption make sure to backup the encryption keys along with your data.'))+\"\\n\\t\\t\\t\\t\")]),_vm._v(\" \"),_c('li',[_vm._v(\"\\n\\t\\t\\t\\t\\t\"+_vm._s(_setup.textExistingFilesNotEncrypted)+\"\\n\\t\\t\\t\\t\\t\"+_vm._s(_setup.t('settings', 'Refer to the admin documentation on how to manually also encrypt existing files.'))+\"\\n\\t\\t\\t\\t\")])])])]),_vm._v(\" \"),_c('p',[_vm._v(\"\\n\\t\\t\"+_vm._s(_setup.t('settings', 'This is the final warning: Do you really want to enable encryption?'))+\"\\n\\t\")])],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!./EncryptionWarningDialog.vue?vue&type=script&setup=true&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!./EncryptionWarningDialog.vue?vue&type=script&setup=true&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/vue-loader/lib/index.js??vue-loader-options!./EncryptionWarningDialog.vue?vue&type=style&index=0&id=46489320&prod&scoped=true&lang=css\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\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/vue-loader/lib/index.js??vue-loader-options!./EncryptionWarningDialog.vue?vue&type=style&index=0&id=46489320&prod&scoped=true&lang=css\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./EncryptionWarningDialog.vue?vue&type=template&id=46489320&scoped=true\"\nimport script from \"./EncryptionWarningDialog.vue?vue&type=script&setup=true&lang=ts\"\nexport * from \"./EncryptionWarningDialog.vue?vue&type=script&setup=true&lang=ts\"\nimport style0 from \"./EncryptionWarningDialog.vue?vue&type=style&index=0&id=46489320&prod&scoped=true&lang=css\"\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 \"46489320\",\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!./EncryptionSettings.vue?vue&type=script&setup=true&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!./EncryptionSettings.vue?vue&type=script&setup=true&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/vue-loader/lib/index.js??vue-loader-options!./EncryptionSettings.vue?vue&type=style&index=0&id=221e1f48&prod&scoped=true&lang=css\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\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/vue-loader/lib/index.js??vue-loader-options!./EncryptionSettings.vue?vue&type=style&index=0&id=221e1f48&prod&scoped=true&lang=css\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./EncryptionSettings.vue?vue&type=template&id=221e1f48&scoped=true\"\nimport script from \"./EncryptionSettings.vue?vue&type=script&setup=true&lang=ts\"\nexport * from \"./EncryptionSettings.vue?vue&type=script&setup=true&lang=ts\"\nimport style0 from \"./EncryptionSettings.vue?vue&type=style&index=0&id=221e1f48&prod&scoped=true&lang=css\"\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 \"221e1f48\",\n null\n \n)\n\nexport default component.exports","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport Vue from 'vue'\nimport Vuex, { Store } from 'vuex'\n\nVue.use(Vuex)\n\nconst state = {\n\tenforced: false,\n\tenforcedGroups: [],\n\texcludedGroups: [],\n}\n\nconst mutations = {\n\tsetEnforced(state, enabled) {\n\t\tVue.set(state, 'enforced', enabled)\n\t},\n\tsetEnforcedGroups(state, total) {\n\t\tVue.set(state, 'enforcedGroups', total)\n\t},\n\tsetExcludedGroups(state, used) {\n\t\tVue.set(state, 'excludedGroups', used)\n\t},\n}\n\nexport default new Store({\n\tstrict: process.env.NODE_ENV !== 'production',\n\tstate,\n\tmutations,\n})\n","/**\n * SPDX-FileCopyrightText: 2016 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\nimport { getCSPNonce } from '@nextcloud/auth'\nimport { loadState } from '@nextcloud/initial-state'\nimport Vue from 'vue'\n\nimport AdminTwoFactor from './components/AdminTwoFactor.vue'\nimport EncryptionSettings from './components/Encryption/EncryptionSettings.vue'\nimport store from './store/admin-security.js'\n\n// eslint-disable-next-line camelcase\n__webpack_nonce__ = getCSPNonce()\n\nVue.prototype.t = t\n\n// Not used here but required for legacy templates\nwindow.OC = window.OC || {}\nwindow.OC.Settings = window.OC.Settings || {}\n\nstore.replaceState(\n\tloadState('settings', 'mandatory2FAState'),\n)\n\nconst View = Vue.extend(AdminTwoFactor)\nnew View({\n\tstore,\n}).$mount('#two-factor-auth-settings')\n\nconst EncryptionView = Vue.extend(EncryptionSettings)\nnew EncryptionView().$mount('#vue-admin-encryption')\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, `\n.two-factor-loading[data-v-b52708a6] {\n\tdisplay: inline-block;\n\tvertical-align: sub;\n\tmargin-inline: -2px 1px;\n}\n.top-margin[data-v-b52708a6] {\n\tmargin-top: 0.5rem;\n}\n`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/settings/src/components/AdminTwoFactor.vue\"],\"names\":[],\"mappings\":\";AAyLA;CACA,qBAAA;CACA,mBAAA;CACA,uBAAA;AACA;AAEA;CACA,kBAAA;AACA\",\"sourcesContent\":[\"\\n\\n\\t\\n\\t\\t
\\n\\t\\t\\t{{ t('settings', 'Enforcement of two-factor authentication can be set for certain groups only.') }}\\n\\t\\t\\t
\\n\\t\\t\\t\\t{{ t('settings', 'Two-factor authentication is enforced for all members of the following groups.') }}\\n\\t\\t\\t
\\n\\t\\t\\t
\\n\\t\\t\\t\\t\\n\\t\\t\\t\\t\\n\\t\\t\\t
\\n\\t\\t\\t
\\n\\t\\t\\t\\t{{ t('settings', 'Two-factor authentication is not enforced for members of the following groups.') }}\\n\\t\\t\\t
\\n\\t\\t\\t
\\n\\t\\t\\t\\t\\n\\t\\t\\t\\t\\n\\t\\t\\t
\\n\\t\\t\\t
\\n\\t\\t\\t\\t\\n\\t\\t\\t\\t\\t\\n\\t\\t\\t\\t\\t{{ t('settings', 'When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced.') }}\\n\\t\\t\\t\\t\\n\\t\\t\\t
\\n\\t\\n\\n\\n\\n\\n\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\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=\" + {\"640\":\"d3d98600d88fd55c7b27\",\"5771\":\"d141d1ad8187d99738b9\",\"5810\":\"fc51f8aa95a9854d22fd\",\"7471\":\"6423b9b898ffefeb7d1d\",\"8474\":\"d060bb2e97b1499bd6b0\"}[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 = 7584;","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 && document.currentScript.tagName.toUpperCase() === 'SCRIPT')\n\t\tscriptUrl = document.currentScript.src;\n\tif (!scriptUrl) {\n\t\tvar scripts = document.getElementsByTagName(\"script\");\n\t\tif(scripts.length) {\n\t\t\tvar i = scripts.length - 1;\n\t\t\twhile (i > -1 && (!scriptUrl || !/^http(s?):/.test(scriptUrl))) scriptUrl = scripts[i--].src;\n\t\t}\n\t}\n}\n// When supporting browsers where an automatic publicPath is not supported you must specify an output.publicPath manually via configuration\n// or pass an empty string (\"\") and set the __webpack_public_path__ variable from your code to use your own logic.\nif (!scriptUrl) throw new Error(\"Automatic publicPath is not supported in this browser\");\nscriptUrl = scriptUrl.replace(/^blob:/, \"\").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\t7584: 0\n};\n\n__webpack_require__.f.j = (chunkId, promises) => {\n\t\t// JSONP chunk loading for javascript\n\t\tvar installedChunkData = __webpack_require__.o(installedChunks, chunkId) ? installedChunks[chunkId] : undefined;\n\t\tif(installedChunkData !== 0) { // 0 means \"already installed\".\n\n\t\t\t// a Promise means \"currently loading\".\n\t\t\tif(installedChunkData) {\n\t\t\t\tpromises.push(installedChunkData[2]);\n\t\t\t} else {\n\t\t\t\tif(true) { // all chunks have JS\n\t\t\t\t\t// setup Promise in chunk cache\n\t\t\t\t\tvar promise = new Promise((resolve, reject) => (installedChunkData = installedChunks[chunkId] = [resolve, reject]));\n\t\t\t\t\tpromises.push(installedChunkData[2] = promise);\n\n\t\t\t\t\t// start chunk loading\n\t\t\t\t\tvar url = __webpack_require__.p + __webpack_require__.u(chunkId);\n\t\t\t\t\t// create error before stack unwound to get useful stacktrace later\n\t\t\t\t\tvar error = new Error();\n\t\t\t\t\tvar loadingEnded = (event) => {\n\t\t\t\t\t\tif(__webpack_require__.o(installedChunks, chunkId)) {\n\t\t\t\t\t\t\tinstalledChunkData = installedChunks[chunkId];\n\t\t\t\t\t\t\tif(installedChunkData !== 0) installedChunks[chunkId] = undefined;\n\t\t\t\t\t\t\tif(installedChunkData) {\n\t\t\t\t\t\t\t\tvar errorType = event && (event.type === 'load' ? 'missing' : event.type);\n\t\t\t\t\t\t\t\tvar realSrc = event && event.target && event.target.src;\n\t\t\t\t\t\t\t\terror.message = 'Loading chunk ' + chunkId + ' failed.\\n(' + errorType + ': ' + realSrc + ')';\n\t\t\t\t\t\t\t\terror.name = 'ChunkLoadError';\n\t\t\t\t\t\t\t\terror.type = errorType;\n\t\t\t\t\t\t\t\terror.request = realSrc;\n\t\t\t\t\t\t\t\tinstalledChunkData[1](error);\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\t\t\t\t\t};\n\t\t\t\t\t__webpack_require__.l(url, loadingEnded, \"chunk-\" + chunkId, chunkId);\n\t\t\t\t}\n\t\t\t}\n\t\t}\n};\n\n// no prefetching\n\n// no preloaded\n\n// no HMR\n\n// no HMR manifest\n\n__webpack_require__.O.j = (chunkId) => (installedChunks[chunkId] === 0);\n\n// install a JSONP callback for chunk loading\nvar webpackJsonpCallback = (parentChunkLoadingFunction, data) => {\n\tvar chunkIds = data[0];\n\tvar moreModules = data[1];\n\tvar runtime = data[2];\n\t// add \"moreModules\" to the modules object,\n\t// then flag all \"chunkIds\" as loaded and fire callback\n\tvar moduleId, chunkId, i = 0;\n\tif(chunkIds.some((id) => (installedChunks[id] !== 0))) {\n\t\tfor(moduleId in moreModules) {\n\t\t\tif(__webpack_require__.o(moreModules, moduleId)) {\n\t\t\t\t__webpack_require__.m[moduleId] = moreModules[moduleId];\n\t\t\t}\n\t\t}\n\t\tif(runtime) var result = runtime(__webpack_require__);\n\t}\n\tif(parentChunkLoadingFunction) parentChunkLoadingFunction(data);\n\tfor(;i < chunkIds.length; i++) {\n\t\tchunkId = chunkIds[i];\n\t\tif(__webpack_require__.o(installedChunks, chunkId) && installedChunks[chunkId]) {\n\t\t\tinstalledChunks[chunkId][0]();\n\t\t}\n\t\tinstalledChunks[chunkId] = 0;\n\t}\n\treturn __webpack_require__.O(result);\n}\n\nvar chunkLoadingGlobal = self[\"webpackChunknextcloud\"] = self[\"webpackChunknextcloud\"] || [];\nchunkLoadingGlobal.forEach(webpackJsonpCallback.bind(null, 0));\nchunkLoadingGlobal.push = webpackJsonpCallback.bind(null, chunkLoadingGlobal.push.bind(chunkLoadingGlobal));","__webpack_require__.nc = undefined;","// startup\n// Load entry module and return exports\n// This entry module depends on other loaded chunks and execution need to be delayed\nvar __webpack_exports__ = __webpack_require__.O(undefined, [4208], () => (__webpack_require__(73222)))\n__webpack_exports__ = __webpack_require__.O(__webpack_exports__);\n"],"names":["deferred","inProgress","dataWebpackPrefix","root","module","exports","Date","now","eq","array","iteratee","index","length","resIndex","result","value","computed","seen","___CSS_LOADER_EXPORT___","push","id","comparator","isObject","toNumber","nativeMax","Math","max","nativeMin","min","func","wait","options","lastArgs","lastThis","maxWait","timerId","lastCallTime","lastInvokeTime","leading","maxing","trailing","TypeError","invokeFunc","time","args","thisArg","undefined","apply","shouldInvoke","timeSinceLastCall","timerExpired","trailingEdge","setTimeout","timeWaiting","remainingWait","debounced","isInvoking","arguments","this","leadingEdge","clearTimeout","cancel","flush","Set","noop","setToArray","createSet","values","SetCache","arrayIncludes","arrayIncludesWith","cacheHas","includes","isCommon","set","outer","seenIndex","baseUniq","baseSortedUniq","name","components","NcSelect","NcButton","NcCheckboxRadioSwitch","NcSettingsSection","data","loading","dirty","groups","loadingGroups","twoFactorAdminDoc","loadState","enforced","get","$store","state","val","commit","enforcedGroups","excludedGroups","mounted","sortedUniq","uniq","concat","searchGroup","methods","debounce","query","axios","generateOcsUrl","then","res","ocs","catch","err","console","error","saveChanges","put","generateUrl","resp","styleTagTransform","setAttributes","insert","domAPI","insertStyleElement","locals","_vm","_c","_self","attrs","t","staticClass","_v","_s","on","$event","model","callback","$$v","expression","_e","textExistingFilesNotEncrypted","getLoggerBuilder","setApp","detectUser","build","_defineComponent","__name","emits","setup","__props","_ref","emit","buttons","label","type","__sfc","onUpdateOpen","isOpen","NcDialog","NcNoteCard","_setup","_setupProxy","allEncryptionModules","encryptionModules","Array","isArray","Object","entries","map","defaultCheckedModule","find","default","encryptionReady","externalBackendsEnabled","encryptionAdminDoc","encryptionEnabled","ref","loadingEncryptionState","update","key","confirmPassword","url","appId","post","meta","status","Error","cause","showError","logger","enableEncryption","displayWarning","enabled","spawnDialog","EncryptionWarningDialog","confirmed","checkDefaultModule","class","disabled","_l","displayName","command","Vue","use","Vuex","mutations","setEnforced","setEnforcedGroups","total","setExcludedGroups","used","Store","strict","process","__webpack_nonce__","getCSPNonce","prototype","window","OC","Settings","store","replaceState","extend","AdminTwoFactor","$mount","EncryptionSettings","__webpack_module_cache__","__webpack_require__","moduleId","cachedModule","loaded","__webpack_modules__","call","m","O","chunkIds","fn","priority","notFulfilled","Infinity","i","fulfilled","j","keys","every","splice","r","n","getter","__esModule","d","a","definition","o","defineProperty","enumerable","f","e","chunkId","Promise","all","reduce","promises","u","g","globalThis","Function","obj","prop","hasOwnProperty","l","done","script","needAttach","scripts","document","getElementsByTagName","s","getAttribute","createElement","charset","timeout","nc","setAttribute","src","onScriptComplete","prev","event","onerror","onload","doneFns","parentNode","removeChild","forEach","bind","target","head","appendChild","Symbol","toStringTag","nmd","paths","children","scriptUrl","importScripts","location","currentScript","tagName","toUpperCase","test","replace","p","b","baseURI","self","href","installedChunks","installedChunkData","promise","resolve","reject","errorType","realSrc","message","request","webpackJsonpCallback","parentChunkLoadingFunction","moreModules","runtime","some","chunkLoadingGlobal","__webpack_exports__"],"sourceRoot":""}
\ No newline at end of file
+{"version":3,"file":"settings-vue-settings-admin-security.js?v=63402284406939f0026f","mappings":"UAAIA,ECAAC,EACAC,E,mBCDJ,IAAIC,EAAO,EAAQ,MAsBnBC,EAAOC,QAJG,WACR,OAAOF,EAAKG,KAAKC,KACnB,C,kBCpBA,IAAIC,EAAK,EAAQ,OA6BjBJ,EAAOC,QAlBP,SAAwBI,EAAOC,GAM7B,IALA,IAAIC,GAAS,EACTC,EAASH,EAAMG,OACfC,EAAW,EACXC,EAAS,KAEJH,EAAQC,GAAQ,CACvB,IAAIG,EAAQN,EAAME,GACdK,EAAWN,EAAWA,EAASK,GAASA,EAE5C,IAAKJ,IAAUH,EAAGQ,EAAUC,GAAO,CACjC,IAAIA,EAAOD,EACXF,EAAOD,KAAwB,IAAVE,EAAc,EAAIA,CACzC,CACF,CACA,OAAOD,CACT,C,mFCxBII,E,MAA0B,GAA4B,KAE1DA,EAAwBC,KAAK,CAACf,EAAOgB,GAAI,mMAUtC,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,mFAAmF,MAAQ,GAAG,SAAW,qEAAqE,eAAiB,CAAC,ymGAAkmG,WAAa,MAE70G,S,mFCdIF,E,MAA0B,GAA4B,KAE1DA,EAAwBC,KAAK,CAACf,EAAOgB,GAAI,8bAoBtC,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,8EAA8E,MAAQ,GAAG,SAAW,yJAAyJ,eAAiB,CAAC,iwNAA0vN,WAAa,MAEpjO,S,YCNAhB,EAAOC,QAZP,SAA2BI,EAAOM,EAAOM,GAIvC,IAHA,IAAIV,GAAS,EACTC,EAAkB,MAATH,EAAgB,EAAIA,EAAMG,SAE9BD,EAAQC,GACf,GAAIS,EAAWN,EAAON,EAAME,IAC1B,OAAO,EAGX,OAAO,CACT,C,kBCnBA,IAAIW,EAAW,EAAQ,OACnBf,EAAM,EAAQ,OACdgB,EAAW,EAAQ,OAMnBC,EAAYC,KAAKC,IACjBC,EAAYF,KAAKG,IAqLrBxB,EAAOC,QA7HP,SAAkBwB,EAAMC,EAAMC,GAC5B,IAAIC,EACAC,EACAC,EACApB,EACAqB,EACAC,EACAC,EAAiB,EACjBC,GAAU,EACVC,GAAS,EACTC,GAAW,EAEf,GAAmB,mBAARX,EACT,MAAM,IAAIY,UAzEQ,uBAmFpB,SAASC,EAAWC,GAClB,IAAIC,EAAOZ,EACPa,EAAUZ,EAKd,OAHAD,EAAWC,OAAWa,EACtBT,EAAiBM,EACjB7B,EAASe,EAAKkB,MAAMF,EAASD,EAE/B,CAqBA,SAASI,EAAaL,GACpB,IAAIM,EAAoBN,EAAOP,EAM/B,YAAyBU,IAAjBV,GAA+Ba,GAAqBnB,GACzDmB,EAAoB,GAAOV,GANJI,EAAON,GAM8BH,CACjE,CAEA,SAASgB,IACP,IAAIP,EAAOpC,IACX,GAAIyC,EAAaL,GACf,OAAOQ,EAAaR,GAGtBR,EAAUiB,WAAWF,EA3BvB,SAAuBP,GACrB,IAEIU,EAAcvB,GAFMa,EAAOP,GAI/B,OAAOG,EACHZ,EAAU0B,EAAanB,GAJDS,EAAON,IAK7BgB,CACN,CAmBqCC,CAAcX,GACnD,CAEA,SAASQ,EAAaR,GAKpB,OAJAR,OAAUW,EAINN,GAAYR,EACPU,EAAWC,IAEpBX,EAAWC,OAAWa,EACfhC,EACT,CAcA,SAASyC,IACP,IAAIZ,EAAOpC,IACPiD,EAAaR,EAAaL,GAM9B,GAJAX,EAAWyB,UACXxB,EAAWyB,KACXtB,EAAeO,EAEXa,EAAY,CACd,QAAgBV,IAAZX,EACF,OAzEN,SAAqBQ,GAMnB,OAJAN,EAAiBM,EAEjBR,EAAUiB,WAAWF,EAAcpB,GAE5BQ,EAAUI,EAAWC,GAAQ7B,CACtC,CAkEa6C,CAAYvB,GAErB,GAAIG,EAIF,OAFAqB,aAAazB,GACbA,EAAUiB,WAAWF,EAAcpB,GAC5BY,EAAWN,EAEtB,CAIA,YAHgBU,IAAZX,IACFA,EAAUiB,WAAWF,EAAcpB,IAE9BhB,CACT,CAGA,OA3GAgB,EAAOP,EAASO,IAAS,EACrBR,EAASS,KACXO,IAAYP,EAAQO,QAEpBJ,GADAK,EAAS,YAAaR,GACHP,EAAUD,EAASQ,EAAQG,UAAY,EAAGJ,GAAQI,EACrEM,EAAW,aAAcT,IAAYA,EAAQS,SAAWA,GAoG1De,EAAUM,OApCV,gBACkBf,IAAZX,GACFyB,aAAazB,GAEfE,EAAiB,EACjBL,EAAWI,EAAeH,EAAWE,OAAUW,CACjD,EA+BAS,EAAUO,MA7BV,WACE,YAAmBhB,IAAZX,EAAwBrB,EAASqC,EAAa5C,IACvD,EA4BOgD,CACT,C,kBC5LA,IAAIQ,EAAM,EAAQ,OACdC,EAAO,EAAQ,OACfC,EAAa,EAAQ,OAYrBC,EAAcH,GAAQ,EAAIE,EAAW,IAAIF,EAAI,CAAC,EAAE,KAAK,IAT1C,IASoE,SAASI,GAC1F,OAAO,IAAIJ,EAAII,EACjB,EAF4EH,EAI5E5D,EAAOC,QAAU6D,C,kBClBjB,IAAIE,EAAW,EAAQ,OACnBC,EAAgB,EAAQ,OACxBC,EAAoB,EAAQ,OAC5BC,EAAW,EAAQ,OACnBL,EAAY,EAAQ,OACpBD,EAAa,EAAQ,OAkEzB7D,EAAOC,QApDP,SAAkBI,EAAOC,EAAUW,GACjC,IAAIV,GAAS,EACT6D,EAAWH,EACXzD,EAASH,EAAMG,OACf6D,GAAW,EACX3D,EAAS,GACTG,EAAOH,EAEX,GAAIO,EACFoD,GAAW,EACXD,EAAWF,OAER,GAAI1D,GAvBY,IAuBgB,CACnC,IAAI8D,EAAMhE,EAAW,KAAOwD,EAAUzD,GACtC,GAAIiE,EACF,OAAOT,EAAWS,GAEpBD,GAAW,EACXD,EAAWD,EACXtD,EAAO,IAAImD,CACb,MAEEnD,EAAOP,EAAW,GAAKI,EAEzB6D,EACA,OAAShE,EAAQC,GAAQ,CACvB,IAAIG,EAAQN,EAAME,GACdK,EAAWN,EAAWA,EAASK,GAASA,EAG5C,GADAA,EAASM,GAAwB,IAAVN,EAAeA,EAAQ,EAC1C0D,GAAYzD,GAAaA,EAAU,CAErC,IADA,IAAI4D,EAAY3D,EAAKL,OACdgE,KACL,GAAI3D,EAAK2D,KAAe5D,EACtB,SAAS2D,EAGTjE,GACFO,EAAKE,KAAKH,GAEZF,EAAOK,KAAKJ,EACd,MACUyD,EAASvD,EAAMD,EAAUK,KAC7BJ,IAASH,GACXG,EAAKE,KAAKH,GAEZF,EAAOK,KAAKJ,GAEhB,CACA,OAAOD,CACT,C,kBCrEA,IAAI+D,EAAW,EAAQ,OAwBvBzE,EAAOC,QAJP,SAAcI,GACZ,OAAQA,GAASA,EAAMG,OAAUiE,EAASpE,GAAS,EACrD,C,kBCtBA,IAAIqE,EAAiB,EAAQ,OAuB7B1E,EAAOC,QANP,SAAoBI,GAClB,OAAQA,GAASA,EAAMG,OACnBkE,EAAerE,GACf,EACN,C,kMC+DA,MCpF0L,EDoF1L,CACAsE,KAAA,iBACAC,WAAA,CACAC,SAAA,UACAC,SAAA,IACAC,sBAAA,IACAC,kBAAAA,EAAAA,GAEAC,KAAAA,KACA,CACAC,SAAA,EACAC,OAAA,EACAC,OAAA,GACAC,eAAA,EACAC,mBAAAC,EAAAA,EAAAA,GAAA,qCAGA3E,SAAA,CACA4E,SAAA,CACAC,GAAAA,GACA,YAAAC,OAAAC,MAAAH,QACA,EACAlB,GAAAA,CAAAsB,GACA,KAAAT,OAAA,EACA,KAAAO,OAAAG,OAAA,cAAAD,EACA,GAEAE,eAAA,CACAL,GAAAA,GACA,YAAAC,OAAAC,MAAAG,cACA,EACAxB,GAAAA,CAAAsB,GACA,KAAAT,OAAA,EACA,KAAAO,OAAAG,OAAA,oBAAAD,EACA,GAEAG,eAAA,CACAN,GAAAA,GACA,YAAAC,OAAAC,MAAAI,cACA,EACAzB,GAAAA,CAAAsB,GACA,KAAAT,OAAA,EACA,KAAAO,OAAAG,OAAA,oBAAAD,EACA,IAGAI,OAAAA,GAGA,KAAAZ,OAAAa,IAAAC,IAAA,KAAAJ,eAAAK,OAAA,KAAAJ,kBAIA,KAAAK,YAAA,GACA,EACAC,QAAA,CACAD,YAAAE,IAAA,SAAAC,GACA,KAAAlB,eAAA,EACAmB,EAAAA,GAAAf,KAAAgB,EAAAA,EAAAA,IAAA,iDAAAF,WACAG,KAAAC,GAAAA,EAAA1B,KAAA2B,KACAF,KAAAE,GAAAA,EAAA3B,KAAAG,QACAsB,KAAAtB,IAAA,KAAAA,OAAAa,IAAAC,IAAA,KAAAd,OAAAe,OAAAf,OACAyB,MAAAC,GAAAC,QAAAC,MAAA,0BAAAF,IACAJ,KAAA,UAAArB,eAAA,GACA,OAEA4B,WAAAA,GACA,KAAA/B,SAAA,EAEA,MAAAD,EAAA,CACAO,SAAA,KAAAA,SACAM,eAAA,KAAAA,eACAC,eAAA,KAAAA,gBAEAS,EAAAA,GAAAU,KAAAC,EAAAA,EAAAA,IAAA,qCAAAlC,GACAyB,KAAAU,GAAAA,EAAAnC,MACAyB,KAAAf,IACA,KAAAA,MAAAA,EACA,KAAAR,OAAA,IAEA0B,MAAAC,IACAC,QAAAC,MAAA,yBAAAF,KAEAJ,KAAA,UAAAxB,SAAA,GACA,I,uIE7JIvD,EAAU,CAAC,EAEfA,EAAQ0F,kBAAoB,IAC5B1F,EAAQ2F,cAAgB,IACxB3F,EAAQ4F,OAAS,SAAc,KAAM,QACrC5F,EAAQ6F,OAAS,IACjB7F,EAAQ8F,mBAAqB,IAEhB,IAAI,IAAS9F,GAKJ,KAAW,IAAQ+F,QAAS,IAAQA,O,eCL1D,SAXgB,OACd,ECTW,WAAkB,IAAIC,EAAIrE,KAAKsE,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,oBAAoB,CAACE,MAAM,CAAC,KAAOH,EAAII,EAAE,WAAY,6BAA6B,YAAcJ,EAAII,EAAE,WAAY,qLAAqL,UAAUJ,EAAIrC,oBAAoB,CAAEqC,EAAIzC,QAAS0C,EAAG,IAAI,CAACA,EAAG,OAAO,CAACI,YAAY,0CAA0CL,EAAIM,GAAG,KAAKL,EAAG,OAAO,CAACD,EAAIM,GAAGN,EAAIO,GAAGP,EAAII,EAAE,WAAY,2CAA2CH,EAAG,wBAAwB,CAACE,MAAM,CAAC,GAAK,sBAAsB,QAAUH,EAAInC,SAAS,KAAO,UAAU2C,GAAG,CAAC,iBAAiB,SAASC,GAAQT,EAAInC,SAAS4C,CAAM,IAAI,CAACT,EAAIM,GAAG,SAASN,EAAIO,GAAGP,EAAII,EAAE,WAAY,sCAAsC,UAAUJ,EAAIM,GAAG,KAAMN,EAAInC,SAAU,CAACoC,EAAG,KAAK,CAACD,EAAIM,GAAGN,EAAIO,GAAGP,EAAII,EAAE,WAAY,uBAAuBJ,EAAIM,GAAG,SAASN,EAAIO,GAAGP,EAAII,EAAE,WAAY,iFAAiF,UAAUH,EAAG,IAAI,CAACI,YAAY,cAAc,CAACL,EAAIM,GAAG,WAAWN,EAAIO,GAAGP,EAAII,EAAE,WAAY,mFAAmF,YAAYJ,EAAIM,GAAG,KAAKL,EAAG,IAAI,CAACA,EAAG,QAAQ,CAACE,MAAM,CAAC,IAAM,mBAAmB,CAACF,EAAG,OAAO,CAACD,EAAIM,GAAGN,EAAIO,GAAGP,EAAII,EAAE,WAAY,yBAAyBJ,EAAIM,GAAG,KAAKL,EAAG,WAAW,CAACE,MAAM,CAAC,WAAW,iBAAiB,QAAUH,EAAIvC,OAAO,SAAWuC,EAAIzC,QAAQ,UAAW,EAAK,QAAUyC,EAAItC,cAAc,mBAAkB,GAAO8C,GAAG,CAAC,OAASR,EAAIvB,aAAaiC,MAAM,CAAC1H,MAAOgH,EAAI7B,eAAgBwC,SAAS,SAAUC,GAAMZ,EAAI7B,eAAeyC,CAAG,EAAEC,WAAW,qBAAqB,GAAGb,EAAIM,GAAG,KAAKL,EAAG,IAAI,CAACI,YAAY,cAAc,CAACL,EAAIM,GAAG,WAAWN,EAAIO,GAAGP,EAAII,EAAE,WAAY,mFAAmF,YAAYJ,EAAIM,GAAG,KAAKL,EAAG,IAAI,CAACA,EAAG,QAAQ,CAACE,MAAM,CAAC,IAAM,mBAAmB,CAACF,EAAG,OAAO,CAACD,EAAIM,GAAGN,EAAIO,GAAGP,EAAII,EAAE,WAAY,yBAAyBJ,EAAIM,GAAG,KAAKL,EAAG,WAAW,CAACE,MAAM,CAAC,WAAW,iBAAiB,QAAUH,EAAIvC,OAAO,SAAWuC,EAAIzC,QAAQ,UAAW,EAAK,QAAUyC,EAAItC,cAAc,mBAAkB,GAAO8C,GAAG,CAAC,OAASR,EAAIvB,aAAaiC,MAAM,CAAC1H,MAAOgH,EAAI5B,eAAgBuC,SAAS,SAAUC,GAAMZ,EAAI5B,eAAewC,CAAG,EAAEC,WAAW,qBAAqB,GAAGb,EAAIM,GAAG,KAAKL,EAAG,IAAI,CAACI,YAAY,cAAc,CAACJ,EAAG,KAAK,CAACD,EAAIM,GAAG,aAAaN,EAAIO,GAAGP,EAAII,EAAE,WAAY,2XAA2X,iBAAiBJ,EAAIc,KAAKd,EAAIM,GAAG,KAAKL,EAAG,IAAI,CAACI,YAAY,cAAc,CAAEL,EAAIxC,MAAOyC,EAAG,WAAW,CAACE,MAAM,CAAC,KAAO,UAAU,SAAWH,EAAIzC,SAASiD,GAAG,CAAC,MAAQR,EAAIV,cAAc,CAACU,EAAIM,GAAG,WAAWN,EAAIO,GAAGP,EAAII,EAAE,WAAY,iBAAiB,YAAYJ,EAAIc,MAAM,IAAI,EACrgG,EACsB,IDUpB,EACA,KACA,WACA,M,QEfF,I,iCCKA,MAAMC,EAAcC,OAAOC,GAAGC,MAAMH,YACvBI,GAAgCf,EAAAA,EAAAA,GAAE,WAAY,0HAA2H,CAAEW,gBCDxL,GAAeK,E,SAAAA,MACVC,OAAO,YACPC,aACAC,Q,yBCHL,MCL2R,GDK9PC,EAAAA,EAAAA,IAAiB,CAC1CC,OAAQ,0BACRC,MAAO,CAAC,SACRC,KAAAA,CAAMC,EAAOC,GAAY,IAAV,KAAEC,GAAMD,EACnB,MAAME,EAAU,CACZ,CACIC,OAAO5B,EAAAA,EAAAA,GAAE,WAAY,qBAErB6B,KAAM,WACNtB,SAAUA,IAAMmB,EAAK,SAAS,IAElC,CACIE,OAAO5B,EAAAA,EAAAA,GAAE,WAAY,qBACrB6B,KAAM,QACNtB,SAAUA,IAAMmB,EAAK,SAAS,KAYtC,MAAO,CAAEI,OAAO,EAAMJ,OAAMC,UAASI,aALrC,SAAsBC,GACbA,GACDN,EAAK,SAAS,EAEtB,EACmD1B,EAAC,IAAEe,8BAA6B,EAAEkB,SAAQ,IAAEC,WAAUA,EAAAA,EAC7G,I,eErBA,EAAU,CAAC,EAEf,EAAQ5C,kBAAoB,IAC5B,EAAQC,cAAgB,IACxB,EAAQC,OAAS,SAAc,KAAM,QACrC,EAAQC,OAAS,IACjB,EAAQC,mBAAqB,IAEhB,IAAI,IAAS,GAKJ,KAAW,IAAQC,QAAS,IAAQA,OCL1D,SAXgB,OACd,EHTW,WAAkB,IAAIC,EAAIrE,KAAKsE,EAAGD,EAAIE,MAAMD,GAAGsC,EAAOvC,EAAIE,MAAMsC,YAAY,OAAOvC,EAAGsC,EAAOF,SAAS,CAAClC,MAAM,CAAC,QAAUoC,EAAOR,QAAQ,KAAOQ,EAAOnC,EAAE,WAAY,+BAA+B,KAAO,UAAUI,GAAG,CAAC,cAAc+B,EAAOJ,eAAe,CAAClC,EAAGsC,EAAOD,WAAW,CAACnC,MAAM,CAAC,KAAO,YAAY,CAACF,EAAG,IAAI,CAACD,EAAIM,GAAG,WAAWN,EAAIO,GAAGgC,EAAOnC,EAAE,WAAY,oEAAoE,YAAYH,EAAG,KAAK,CAACA,EAAG,KAAK,CAACD,EAAIM,GAAG,eAAeN,EAAIO,GAAGgC,EAAOnC,EAAE,WAAY,sTAAsT,gBAAgBJ,EAAIM,GAAG,KAAKL,EAAG,KAAK,CAACD,EAAIM,GAAG,eAAeN,EAAIO,GAAGgC,EAAOnC,EAAE,WAAY,yIAAyI,gBAAgBJ,EAAIM,GAAG,KAAKL,EAAG,KAAK,CAACD,EAAIM,GAAG,eAAeN,EAAIO,GAAGgC,EAAOnC,EAAE,WAAY,+KAA+K,gBAAgBJ,EAAIM,GAAG,KAAKL,EAAG,KAAK,CAACD,EAAIM,GAAG,eAAeN,EAAIO,GAAGgC,EAAOnC,EAAE,WAAY,6DAA6D,gBAAgBJ,EAAIM,GAAG,KAAKL,EAAG,KAAK,CAACD,EAAIM,GAAG,eAAeN,EAAIO,GAAGgC,EAAOnC,EAAE,WAAY,kJAAkJ,gBAAgBJ,EAAIM,GAAG,KAAKL,EAAG,KAAK,CAACD,EAAIM,GAAG,eAAeN,EAAIO,GAAGgC,EAAOpB,+BAA+B,eAAenB,EAAIO,GAAGgC,EAAOnC,EAAE,WAAY,qFAAqF,sBAAsBJ,EAAIM,GAAG,KAAKL,EAAG,IAAI,CAACD,EAAIM,GAAG,SAASN,EAAIO,GAAGgC,EAAOnC,EAAE,WAAY,wEAAwE,WAAW,EAC9iE,EACsB,IGUpB,EACA,KACA,WACA,M,QCfoR,GPczPoB,EAAAA,EAAAA,IAAiB,CAC1CC,OAAQ,qBACRE,KAAAA,CAAMC,GACF,MAAMa,GAAuB7E,EAAAA,EAAAA,GAAU,WAAY,sBAE7C8E,EAAoBC,MAAMC,QAAQH,GAAwB,GAAKI,OAAOC,QAAQL,GAAsBM,IAAIlB,IAAA,IAAExI,EAAIhB,GAAOwJ,EAAA,MAAM,IAAKxJ,EAAQgB,QAExI2J,EAAuBN,EAAkBO,KAAM5K,GAAWA,EAAO6K,UAAU7J,GAE3E8J,GAAkBvF,EAAAA,EAAAA,GAAU,WAAY,oBAExCwF,GAA0BxF,EAAAA,EAAAA,GAAU,WAAY,6BAEhDyF,GAAqBzF,EAAAA,EAAAA,GAAU,WAAY,wBAE3C0F,GAAoBC,EAAAA,EAAAA,KAAI3F,EAAAA,EAAAA,GAAU,WAAY,uBAE9C4F,GAAyBD,EAAAA,EAAAA,KAAI,GA0BnC,eAAeE,EAAOC,EAAK1K,SACjB2K,EAAAA,EAAAA,MACN,MAAMC,GAAM9E,EAAAA,EAAAA,IAAe,0DAA2D,CAClF+E,MAAO,OACPH,QAEJ,IACI,MAAM,KAAEpG,SAAeuB,EAAAA,GAAMiF,KAAKF,EAAK,CACnC5K,UAEJ,GAA6B,OAAzBsE,EAAK2B,IAAI8E,KAAKC,OACd,MAAM,IAAIC,MAAM,4BAA6B,CAAEC,MAAO5G,EAAK2B,KAEnE,CACA,MAAOI,GAGH,OAFA8E,EAAAA,EAAAA,KAAU/D,EAAAA,EAAAA,GAAE,WAAY,mDACxBgE,EAAO/E,MAAM,iDAAkD,CAAEA,WAC1D,CACX,CACA,OAAO,CACX,CAYA,eAAegF,IACXf,EAAkBtK,YAAcyK,EAAO,qBAAsB,MACjE,CACA,MAAO,CAAEvB,OAAO,EAAMO,uBAAsBC,oBAAmBM,uBAAsBG,kBAAiBC,0BAAyBC,qBAAoBC,oBAAmBE,yBAAwBc,eAxD9L,SAAwBC,GAChBf,EAAuBxK,QAAqB,IAAZuL,IAGpCf,EAAuBxK,OAAQ,GAC/BwL,EAAAA,EAAAA,IAAYC,EAAyB,CAAC,EAAG,UACrC,IACQC,SACML,GAEd,CAAC,QAEGb,EAAuBxK,OAAQ,CACnC,IAER,EAyC8MyK,SAAQkB,mBAXtN,iBACQ3B,SACMS,EAAO,4BAA6BT,EAElD,EAO0OqB,mBAAkBjE,EAAC,IAAEe,8BAA6B,EAAE/D,sBAAqB,IAAEkF,WAAU,IAAEjF,kBAAiBA,EAAAA,EACtV,I,eQlFA,EAAU,CAAC,EAEf,EAAQqC,kBAAoB,IAC5B,EAAQC,cAAgB,IACxB,EAAQC,OAAS,SAAc,KAAM,QACrC,EAAQC,OAAS,IACjB,EAAQC,mBAAqB,IAEhB,IAAI,IAAS,GAKJ,KAAW,IAAQC,QAAS,IAAQA,OCL1D,SAXgB,OACd,ETTW,WAAkB,IAAIC,EAAIrE,KAAKsE,EAAGD,EAAIE,MAAMD,GAAGsC,EAAOvC,EAAIE,MAAMsC,YAAY,OAAOvC,EAAGsC,EAAOlF,kBAAkB,CAAC8C,MAAM,CAAC,KAAOoC,EAAOnC,EAAE,WAAY,0BAA0B,YAAcmC,EAAOnC,EAAE,WAAY,uLAAuL,UAAUmC,EAAOc,qBAAqB,CAAEd,EAAOe,kBAAmBrD,EAAGsC,EAAOD,WAAW,CAACnC,MAAM,CAAC,KAAO,SAAS,CAACF,EAAG,IAAI,CAACD,EAAIM,GAAG,WAAWN,EAAIO,GAAGgC,EAAOpB,+BAA+B,WAAWnB,EAAIO,GAAGgC,EAAOnC,EAAE,WAAY,wDAAwD,YAAYJ,EAAIM,GAAG,KAAKL,EAAG,OAAO,CAACA,EAAG,MAAM,CAACD,EAAIM,GAAG,oCAAoCN,EAAIc,KAAKd,EAAIM,GAAG,KAAKL,EAAGsC,EAAOnF,sBAAsB,CAACwH,MAAM,CAAEC,SAAUtC,EAAOe,mBAAoBnD,MAAM,CAAC,QAAUoC,EAAOe,kBAAkB,gBAAgBf,EAAOe,kBAAoB,YAASvI,EAAU,mBAAmBwH,EAAOe,kBAAoB,2CAAwCvI,EAAU,QAAUwH,EAAOiB,uBAAuB,KAAO,UAAUhD,GAAG,CAAC,iBAAiB+B,EAAO+B,iBAAiB,CAACtE,EAAIM,GAAG,SAASN,EAAIO,GAAGgC,EAAOnC,EAAE,WAAY,kCAAkC,UAAUJ,EAAIM,GAAG,KAAMiC,EAAOe,kBAAmBrD,EAAG,IAAI,CAACI,YAAY,eAAeF,MAAM,CAAC,GAAK,wCAAwC,CAACH,EAAIM,GAAG,SAASN,EAAIO,GAAGgC,EAAOnC,EAAE,WAAY,oGAAoG,UAAUJ,EAAIc,KAAKd,EAAIM,GAAG,KAA0C,IAApCiC,EAAOG,kBAAkB7J,OAAcoH,EAAGsC,EAAOD,WAAW,CAACnC,MAAM,CAAC,KAAO,UAAU,KAAOoC,EAAOnC,EAAE,WAAY,uFAAwFmC,EAAOe,kBAAmB,CAAEf,EAAOY,iBAAmBZ,EAAOG,kBAAkB7J,OAAS,EAAGoH,EAAG,MAAM,CAACA,EAAG,KAAK,CAACD,EAAIM,GAAGN,EAAIO,GAAGgC,EAAOnC,EAAE,WAAY,yCAAyCJ,EAAIM,GAAG,KAAKL,EAAG,WAAWD,EAAI8E,GAAIvC,EAAOG,kBAAmB,SAASrK,GAAQ,OAAO4H,EAAGsC,EAAOnF,sBAAsB,CAACsG,IAAIrL,EAAOgB,GAAG8G,MAAM,CAAC,QAAUoC,EAAOS,qBAAqB,MAAQ3K,EAAOgB,GAAG,KAAO,QAAQ,KAAO,6BAA6BmH,GAAG,CAAC,iBAAiB,CAAC,SAASC,GAAQ8B,EAAOS,qBAAqBvC,CAAM,EAAE8B,EAAOoC,sBAAsB,CAAC3E,EAAIM,GAAG,eAAeN,EAAIO,GAAGlI,EAAO0M,aAAa,eAAe,GAAG,KAAMxC,EAAOa,wBAAyBnD,EAAG,MAAM,CAACD,EAAIM,GAAG,WAAWN,EAAIO,GAAGgC,EAAOnC,EAC14E,WACA,qKACA,CAAE4E,QAAS,8BACT,YAAYhF,EAAIc,MAAMd,EAAIc,MAAM,EACvC,EACsB,ISMpB,EACA,KACA,WACA,M,uBCPFmE,EAAAA,GAAIC,IAAIC,EAAAA,IAER,MAMMC,EAAY,CACjBC,WAAAA,CAAYrH,EAAOuG,GAClBU,EAAAA,GAAAA,IAAQjH,EAAO,WAAYuG,EAC5B,EACAe,iBAAAA,CAAkBtH,EAAOuH,GACxBN,EAAAA,GAAAA,IAAQjH,EAAO,iBAAkBuH,EAClC,EACAC,iBAAAA,CAAkBxH,EAAOyH,GACxBR,EAAAA,GAAAA,IAAQjH,EAAO,iBAAkByH,EAClC,GAGD,OAAmBC,EAAAA,GAAM,CACxBC,QAAQC,EACR5H,MApBa,CACbH,UAAU,EACVM,eAAgB,GAChBC,eAAgB,IAkBhBgH,cClBDS,EAAAA,IAAoBC,EAAAA,EAAAA,MAEpBb,EAAAA,GAAIc,UAAU3F,EAAIA,EAGlBY,OAAOC,GAAKD,OAAOC,IAAM,CAAC,EAC1BD,OAAOC,GAAG+E,SAAWhF,OAAOC,GAAG+E,UAAY,CAAC,EAE5CC,GAAMC,cACLtI,EAAAA,EAAAA,GAAU,WAAY,sBAIvB,IADaqH,EAAAA,GAAIkB,OAAOC,GACxB,CAAS,CACRH,MAAKA,KACHI,OAAO,8BAGV,IADuBpB,EAAAA,GAAIkB,OAAOG,KACbD,OAAO,wB,mFC5BxBlN,E,MAA0B,GAA4B,KAE1DA,EAAwBC,KAAK,CAACf,EAAOgB,GAAI,wLAStC,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,+DAA+D,MAAQ,GAAG,SAAW,oEAAoE,eAAiB,CAAC,ytMAA4sM,WAAa,MAEl6M,S,GCfIkN,EAA2B,CAAC,EAGhC,SAASC,EAAoBC,GAE5B,IAAIC,EAAeH,EAAyBE,GAC5C,QAAqB1L,IAAjB2L,EACH,OAAOA,EAAapO,QAGrB,IAAID,EAASkO,EAAyBE,GAAY,CACjDpN,GAAIoN,EACJE,QAAQ,EACRrO,QAAS,CAAC,GAUX,OANAsO,EAAoBH,GAAUI,KAAKxO,EAAOC,QAASD,EAAQA,EAAOC,QAASkO,GAG3EnO,EAAOsO,QAAS,EAGTtO,EAAOC,OACf,CAGAkO,EAAoBM,EAAIF,E9B5BpB3O,EAAW,GACfuO,EAAoBO,EAAI,CAAChO,EAAQiO,EAAUC,EAAIC,KAC9C,IAAGF,EAAH,CAMA,IAAIG,EAAeC,IACnB,IAASC,EAAI,EAAGA,EAAIpP,EAASY,OAAQwO,IAAK,CACrCL,EAAW/O,EAASoP,GAAG,GACvBJ,EAAKhP,EAASoP,GAAG,GACjBH,EAAWjP,EAASoP,GAAG,GAE3B,IAJA,IAGIC,GAAY,EACPC,EAAI,EAAGA,EAAIP,EAASnO,OAAQ0O,MACpB,EAAXL,GAAsBC,GAAgBD,IAAarE,OAAO2E,KAAKhB,EAAoBO,GAAGU,MAAO/D,GAAS8C,EAAoBO,EAAErD,GAAKsD,EAASO,KAC9IP,EAASU,OAAOH,IAAK,IAErBD,GAAY,EACTJ,EAAWC,IAAcA,EAAeD,IAG7C,GAAGI,EAAW,CACbrP,EAASyP,OAAOL,IAAK,GACrB,IAAIM,EAAIV,SACElM,IAAN4M,IAAiB5O,EAAS4O,EAC/B,CACD,CACA,OAAO5O,CArBP,CAJCmO,EAAWA,GAAY,EACvB,IAAI,IAAIG,EAAIpP,EAASY,OAAQwO,EAAI,GAAKpP,EAASoP,EAAI,GAAG,GAAKH,EAAUG,IAAKpP,EAASoP,GAAKpP,EAASoP,EAAI,GACrGpP,EAASoP,GAAK,CAACL,EAAUC,EAAIC,I+BJ/BV,EAAoBoB,EAAKvP,IACxB,IAAIwP,EAASxP,GAAUA,EAAOyP,WAC7B,IAAOzP,EAAiB,QACxB,IAAM,EAEP,OADAmO,EAAoBuB,EAAEF,EAAQ,CAAEG,EAAGH,IAC5BA,GCLRrB,EAAoBuB,EAAI,CAACzP,EAAS2P,KACjC,IAAI,IAAIvE,KAAOuE,EACXzB,EAAoB0B,EAAED,EAAYvE,KAAS8C,EAAoB0B,EAAE5P,EAASoL,IAC5Eb,OAAOsF,eAAe7P,EAASoL,EAAK,CAAE0E,YAAY,EAAMtK,IAAKmK,EAAWvE,MCJ3E8C,EAAoB6B,EAAI,CAAC,EAGzB7B,EAAoB8B,EAAKC,GACjBC,QAAQC,IAAI5F,OAAO2E,KAAKhB,EAAoB6B,GAAGK,OAAO,CAACC,EAAUjF,KACvE8C,EAAoB6B,EAAE3E,GAAK6E,EAASI,GAC7BA,GACL,KCNJnC,EAAoBoC,EAAKL,GAEZA,EAAU,IAAMA,EAAU,SAAW,CAAC,IAAM,uBAAuB,KAAO,uBAAuB,KAAO,uBAAuB,KAAO,uBAAuB,KAAO,wBAAwBA,GCHzM/B,EAAoBqC,EAAI,WACvB,GAA0B,iBAAfC,WAAyB,OAAOA,WAC3C,IACC,OAAOnN,MAAQ,IAAIoN,SAAS,cAAb,EAChB,CAAE,MAAOT,GACR,GAAsB,iBAAXtH,OAAqB,OAAOA,MACxC,CACA,CAPuB,GCAxBwF,EAAoB0B,EAAI,CAACc,EAAKC,IAAUpG,OAAOkD,UAAUmD,eAAerC,KAAKmC,EAAKC,GnCA9E/Q,EAAa,CAAC,EACdC,EAAoB,aAExBqO,EAAoB2C,EAAI,CAACvF,EAAKwF,EAAM1F,EAAK6E,KACxC,GAAGrQ,EAAW0L,GAAQ1L,EAAW0L,GAAKxK,KAAKgQ,OAA3C,CACA,IAAIC,EAAQC,EACZ,QAAWvO,IAAR2I,EAEF,IADA,IAAI6F,EAAUC,SAASC,qBAAqB,UACpCpC,EAAI,EAAGA,EAAIkC,EAAQ1Q,OAAQwO,IAAK,CACvC,IAAIqC,EAAIH,EAAQlC,GAChB,GAAGqC,EAAEC,aAAa,QAAU/F,GAAO8F,EAAEC,aAAa,iBAAmBxR,EAAoBuL,EAAK,CAAE2F,EAASK,EAAG,KAAO,CACpH,CAEGL,IACHC,GAAa,GACbD,EAASG,SAASI,cAAc,WAEzBC,QAAU,QACjBR,EAAOS,QAAU,IACbtD,EAAoBuD,IACvBV,EAAOW,aAAa,QAASxD,EAAoBuD,IAElDV,EAAOW,aAAa,eAAgB7R,EAAoBuL,GAExD2F,EAAOY,IAAMrG,GAEd1L,EAAW0L,GAAO,CAACwF,GACnB,IAAIc,EAAmB,CAACC,EAAMC,KAE7Bf,EAAOgB,QAAUhB,EAAOiB,OAAS,KACjCzO,aAAaiO,GACb,IAAIS,EAAUrS,EAAW0L,GAIzB,UAHO1L,EAAW0L,GAClByF,EAAOmB,YAAcnB,EAAOmB,WAAWC,YAAYpB,GACnDkB,GAAWA,EAAQG,QAASzD,GAAQA,EAAGmD,IACpCD,EAAM,OAAOA,EAAKC,IAElBN,EAAUzO,WAAW6O,EAAiBS,KAAK,UAAM5P,EAAW,CAAEkH,KAAM,UAAW2I,OAAQvB,IAAW,MACtGA,EAAOgB,QAAUH,EAAiBS,KAAK,KAAMtB,EAAOgB,SACpDhB,EAAOiB,OAASJ,EAAiBS,KAAK,KAAMtB,EAAOiB,QACnDhB,GAAcE,SAASqB,KAAKC,YAAYzB,EApCkB,GoCH3D7C,EAAoBmB,EAAKrP,IACH,oBAAXyS,QAA0BA,OAAOC,aAC1CnI,OAAOsF,eAAe7P,EAASyS,OAAOC,YAAa,CAAEhS,MAAO,WAE7D6J,OAAOsF,eAAe7P,EAAS,aAAc,CAAEU,OAAO,KCLvDwN,EAAoByE,IAAO5S,IAC1BA,EAAO6S,MAAQ,GACV7S,EAAO8S,WAAU9S,EAAO8S,SAAW,IACjC9S,GCHRmO,EAAoBe,EAAI,K,MCAxB,IAAI6D,EACA5E,EAAoBqC,EAAEwC,gBAAeD,EAAY5E,EAAoBqC,EAAEyC,SAAW,IACtF,IAAI9B,EAAWhD,EAAoBqC,EAAEW,SACrC,IAAK4B,GAAa5B,IACbA,EAAS+B,eAAkE,WAAjD/B,EAAS+B,cAAcC,QAAQC,gBAC5DL,EAAY5B,EAAS+B,cAActB,MAC/BmB,GAAW,CACf,IAAI7B,EAAUC,EAASC,qBAAqB,UAC5C,GAAGF,EAAQ1Q,OAEV,IADA,IAAIwO,EAAIkC,EAAQ1Q,OAAS,EAClBwO,GAAK,KAAO+D,IAAc,aAAaM,KAAKN,KAAaA,EAAY7B,EAAQlC,KAAK4C,GAE3F,CAID,IAAKmB,EAAW,MAAM,IAAInH,MAAM,yDAChCmH,EAAYA,EAAUO,QAAQ,SAAU,IAAIA,QAAQ,OAAQ,IAAIA,QAAQ,QAAS,IAAIA,QAAQ,YAAa,KAC1GnF,EAAoBoF,EAAIR,C,WClBxB5E,EAAoBqF,EAAIrC,SAASsC,SAAWC,KAAKT,SAASU,KAK1D,IAAIC,EAAkB,CACrB,KAAM,GAGPzF,EAAoB6B,EAAEd,EAAI,CAACgB,EAASI,KAElC,IAAIuD,EAAqB1F,EAAoB0B,EAAE+D,EAAiB1D,GAAW0D,EAAgB1D,QAAWxN,EACtG,GAA0B,IAAvBmR,EAGF,GAAGA,EACFvD,EAASvP,KAAK8S,EAAmB,QAC3B,CAGL,IAAIC,EAAU,IAAI3D,QAAQ,CAAC4D,EAASC,IAAYH,EAAqBD,EAAgB1D,GAAW,CAAC6D,EAASC,IAC1G1D,EAASvP,KAAK8S,EAAmB,GAAKC,GAGtC,IAAIvI,EAAM4C,EAAoBoF,EAAIpF,EAAoBoC,EAAEL,GAEpDlJ,EAAQ,IAAI4E,MAgBhBuC,EAAoB2C,EAAEvF,EAfFwG,IACnB,GAAG5D,EAAoB0B,EAAE+D,EAAiB1D,KAEf,KAD1B2D,EAAqBD,EAAgB1D,MACR0D,EAAgB1D,QAAWxN,GACrDmR,GAAoB,CACtB,IAAII,EAAYlC,IAAyB,SAAfA,EAAMnI,KAAkB,UAAYmI,EAAMnI,MAChEsK,EAAUnC,GAASA,EAAMQ,QAAUR,EAAMQ,OAAOX,IACpD5K,EAAMmN,QAAU,iBAAmBjE,EAAU,cAAgB+D,EAAY,KAAOC,EAAU,IAC1FlN,EAAMrC,KAAO,iBACbqC,EAAM4C,KAAOqK,EACbjN,EAAMoN,QAAUF,EAChBL,EAAmB,GAAG7M,EACvB,GAGuC,SAAWkJ,EAASA,EAE/D,GAYH/B,EAAoBO,EAAEQ,EAAKgB,GAA0C,IAA7B0D,EAAgB1D,GAGxD,IAAImE,EAAuB,CAACC,EAA4BrP,KACvD,IAKImJ,EAAU8B,EALVvB,EAAW1J,EAAK,GAChBsP,EAActP,EAAK,GACnBuP,EAAUvP,EAAK,GAGI+J,EAAI,EAC3B,GAAGL,EAAS8F,KAAMzT,GAAgC,IAAxB4S,EAAgB5S,IAAa,CACtD,IAAIoN,KAAYmG,EACZpG,EAAoB0B,EAAE0E,EAAanG,KACrCD,EAAoBM,EAAEL,GAAYmG,EAAYnG,IAGhD,GAAGoG,EAAS,IAAI9T,EAAS8T,EAAQrG,EAClC,CAEA,IADGmG,GAA4BA,EAA2BrP,GACrD+J,EAAIL,EAASnO,OAAQwO,IACzBkB,EAAUvB,EAASK,GAChBb,EAAoB0B,EAAE+D,EAAiB1D,IAAY0D,EAAgB1D,IACrE0D,EAAgB1D,GAAS,KAE1B0D,EAAgB1D,GAAW,EAE5B,OAAO/B,EAAoBO,EAAEhO,IAG1BgU,EAAqBhB,KAA4B,sBAAIA,KAA4B,uBAAK,GAC1FgB,EAAmBrC,QAAQgC,EAAqB/B,KAAK,KAAM,IAC3DoC,EAAmB3T,KAAOsT,EAAqB/B,KAAK,KAAMoC,EAAmB3T,KAAKuR,KAAKoC,G,KCvFvFvG,EAAoBuD,QAAKhP,ECGzB,IAAIiS,EAAsBxG,EAAoBO,OAAEhM,EAAW,CAAC,MAAO,IAAOyL,EAAoB,QAC9FwG,EAAsBxG,EAAoBO,EAAEiG,E","sources":["webpack:///nextcloud/webpack/runtime/chunk loaded","webpack:///nextcloud/webpack/runtime/load script","webpack:///nextcloud/node_modules/lodash/now.js","webpack:///nextcloud/node_modules/lodash/_baseSortedUniq.js","webpack:///nextcloud/apps/settings/src/components/Encryption/EncryptionWarningDialog.vue?vue&type=style&index=0&id=46489320&prod&scoped=true&lang=css","webpack:///nextcloud/apps/settings/src/components/Encryption/EncryptionSettings.vue?vue&type=style&index=0&id=221e1f48&prod&scoped=true&lang=css","webpack:///nextcloud/node_modules/lodash/_arrayIncludesWith.js","webpack:///nextcloud/node_modules/lodash/debounce.js","webpack:///nextcloud/node_modules/lodash/_createSet.js","webpack:///nextcloud/node_modules/lodash/_baseUniq.js","webpack:///nextcloud/node_modules/lodash/uniq.js","webpack:///nextcloud/node_modules/lodash/sortedUniq.js","webpack:///nextcloud/apps/settings/src/components/AdminTwoFactor.vue","webpack:///nextcloud/apps/settings/src/components/AdminTwoFactor.vue?vue&type=script&lang=js","webpack://nextcloud/./apps/settings/src/components/AdminTwoFactor.vue?15f0","webpack://nextcloud/./apps/settings/src/components/AdminTwoFactor.vue?66cc","webpack://nextcloud/./apps/settings/src/components/AdminTwoFactor.vue?42f8","webpack:///nextcloud/apps/settings/src/components/Encryption/EncryptionSettings.vue","webpack:///nextcloud/apps/settings/src/components/Encryption/sharedTexts.ts","webpack:///nextcloud/apps/settings/src/logger.ts","webpack:///nextcloud/apps/settings/src/components/Encryption/EncryptionWarningDialog.vue","webpack:///nextcloud/apps/settings/src/components/Encryption/EncryptionWarningDialog.vue?vue&type=script&setup=true&lang=ts","webpack://nextcloud/./apps/settings/src/components/Encryption/EncryptionWarningDialog.vue?e791","webpack://nextcloud/./apps/settings/src/components/Encryption/EncryptionWarningDialog.vue?e7ec","webpack:///nextcloud/apps/settings/src/components/Encryption/EncryptionSettings.vue?vue&type=script&setup=true&lang=ts","webpack://nextcloud/./apps/settings/src/components/Encryption/EncryptionSettings.vue?0648","webpack://nextcloud/./apps/settings/src/components/Encryption/EncryptionSettings.vue?b87c","webpack:///nextcloud/apps/settings/src/store/admin-security.js","webpack:///nextcloud/apps/settings/src/main-admin-security.js","webpack:///nextcloud/apps/settings/src/components/AdminTwoFactor.vue?vue&type=style&index=0&id=b52708a6&prod&scoped=true&lang=css","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};","var root = require('./_root');\n\n/**\n * Gets the timestamp of the number of milliseconds that have elapsed since\n * the Unix epoch (1 January 1970 00:00:00 UTC).\n *\n * @static\n * @memberOf _\n * @since 2.4.0\n * @category Date\n * @returns {number} Returns the timestamp.\n * @example\n *\n * _.defer(function(stamp) {\n * console.log(_.now() - stamp);\n * }, _.now());\n * // => Logs the number of milliseconds it took for the deferred invocation.\n */\nvar now = function() {\n return root.Date.now();\n};\n\nmodule.exports = now;\n","var eq = require('./eq');\n\n/**\n * The base implementation of `_.sortedUniq` and `_.sortedUniqBy` without\n * support for iteratee shorthands.\n *\n * @private\n * @param {Array} array The array to inspect.\n * @param {Function} [iteratee] The iteratee invoked per element.\n * @returns {Array} Returns the new duplicate free array.\n */\nfunction baseSortedUniq(array, iteratee) {\n var index = -1,\n length = array.length,\n resIndex = 0,\n result = [];\n\n while (++index < length) {\n var value = array[index],\n computed = iteratee ? iteratee(value) : value;\n\n if (!index || !eq(computed, seen)) {\n var seen = computed;\n result[resIndex++] = value === 0 ? 0 : value;\n }\n }\n return result;\n}\n\nmodule.exports = baseSortedUniq;\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, `\nli[data-v-46489320] {\n\tlist-style-type: initial;\n\tmargin-inline-start: 1rem;\n\tpadding: 0.25rem 0;\n}\np + p[data-v-46489320],\ndiv + p[data-v-46489320] {\n\tmargin-block: 0.75rem;\n}\n`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/settings/src/components/Encryption/EncryptionWarningDialog.vue\"],\"names\":[],\"mappings\":\";AAgFA;CACA,wBAAA;CACA,yBAAA;CACA,kBAAA;AACA;AAEA;;CAEA,qBAAA;AACA\",\"sourcesContent\":[\"\\n\\n\\n\\n\\n\\t\\n\\t\\t\\n\\t\\t\\t
\\n\\t\\t\\t\\t{{ t('settings', 'Please read carefully before activating server-side encryption:') }}\\n\\t\\t\\t\\t
\\n\\t\\t\\t\\t\\t
\\n\\t\\t\\t\\t\\t\\t{{ t('settings', 'Once encryption is enabled, all files uploaded to the server from that point forward will be encrypted at rest on the server. It will only be possible to disable encryption at a later date if the active encryption module supports that function, and all pre-conditions (e.g. setting a recover key) are met.') }}\\n\\t\\t\\t\\t\\t
\\n\\t\\t\\t\\t\\t
\\n\\t\\t\\t\\t\\t\\t{{ t('settings', 'By default a master key for the whole instance will be generated. Please check if that level of access is compliant with your needs.') }}\\n\\t\\t\\t\\t\\t
\\n\\t\\t\\t\\t\\t
\\n\\t\\t\\t\\t\\t\\t{{ t('settings', 'Encryption alone does not guarantee security of the system. Please see documentation for more information about how the encryption app works, and the supported use cases.') }}\\n\\t\\t\\t\\t\\t
\\n\\t\\t\\t\\t\\t
\\n\\t\\t\\t\\t\\t\\t{{ t('settings', 'Be aware that encryption always increases the file size.') }}\\n\\t\\t\\t\\t\\t
\\n\\t\\t\\t\\t\\t
\\n\\t\\t\\t\\t\\t\\t{{ t('settings', 'It is always good to create regular backups of your data, in case of encryption make sure to backup the encryption keys along with your data.') }}\\n\\t\\t\\t\\t\\t
\\n\\t\\t\\t\\t\\t
\\n\\t\\t\\t\\t\\t\\t{{ textExistingFilesNotEncrypted }}\\n\\t\\t\\t\\t\\t\\t{{ t('settings', 'Refer to the admin documentation on how to manually also encrypt existing files.') }}\\n\\t\\t\\t\\t\\t
\\n\\t\\t\\t\\t
\\n\\t\\t\\t\\n\\t\\t\\n\\t\\t
\\n\\t\\t\\t{{ t('settings', 'This is the final warning: Do you really want to enable encryption?') }}\\n\\t\\t
\\n\\t\\t\\t\\t{{ textExistingFilesNotEncrypted }}\\n\\t\\t\\t\\t{{ t('settings', 'To encrypt all existing files run this OCC command:') }}\\n\\t\\t\\t
\\n\\t\\t\\t\\t{{\\n\\t\\t\\t\\t\\tt(\\n\\t\\t\\t\\t\\t\\t'settings',\\n\\t\\t\\t\\t\\t\\t'You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one. Please enable the \\\"Default encryption module\\\" and run {command}',\\n\\t\\t\\t\\t\\t\\t{ command: '\\\"occ encryption:migrate\\\"' },\\n\\t\\t\\t\\t\\t)\\n\\t\\t\\t\\t}}\\n\\t\\t\\t
\\n\\t\\t\\n\\t\\n\\n\\n\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","/**\n * This function is like `arrayIncludes` except that it accepts a comparator.\n *\n * @private\n * @param {Array} [array] The array to inspect.\n * @param {*} target The value to search for.\n * @param {Function} comparator The comparator invoked per element.\n * @returns {boolean} Returns `true` if `target` is found, else `false`.\n */\nfunction arrayIncludesWith(array, value, comparator) {\n var index = -1,\n length = array == null ? 0 : array.length;\n\n while (++index < length) {\n if (comparator(value, array[index])) {\n return true;\n }\n }\n return false;\n}\n\nmodule.exports = arrayIncludesWith;\n","var isObject = require('./isObject'),\n now = require('./now'),\n toNumber = require('./toNumber');\n\n/** Error message constants. */\nvar FUNC_ERROR_TEXT = 'Expected a function';\n\n/* Built-in method references for those with the same name as other `lodash` methods. */\nvar nativeMax = Math.max,\n nativeMin = Math.min;\n\n/**\n * Creates a debounced function that delays invoking `func` until after `wait`\n * milliseconds have elapsed since the last time the debounced function was\n * invoked. The debounced function comes with a `cancel` method to cancel\n * delayed `func` invocations and a `flush` method to immediately invoke them.\n * Provide `options` to indicate whether `func` should be invoked on the\n * leading and/or trailing edge of the `wait` timeout. The `func` is invoked\n * with the last arguments provided to the debounced function. Subsequent\n * calls to the debounced function return the result of the last `func`\n * invocation.\n *\n * **Note:** If `leading` and `trailing` options are `true`, `func` is\n * invoked on the trailing edge of the timeout only if the debounced function\n * is invoked more than once during the `wait` timeout.\n *\n * If `wait` is `0` and `leading` is `false`, `func` invocation is deferred\n * until to the next tick, similar to `setTimeout` with a timeout of `0`.\n *\n * See [David Corbacho's article](https://css-tricks.com/debouncing-throttling-explained-examples/)\n * for details over the differences between `_.debounce` and `_.throttle`.\n *\n * @static\n * @memberOf _\n * @since 0.1.0\n * @category Function\n * @param {Function} func The function to debounce.\n * @param {number} [wait=0] The number of milliseconds to delay.\n * @param {Object} [options={}] The options object.\n * @param {boolean} [options.leading=false]\n * Specify invoking on the leading edge of the timeout.\n * @param {number} [options.maxWait]\n * The maximum time `func` is allowed to be delayed before it's invoked.\n * @param {boolean} [options.trailing=true]\n * Specify invoking on the trailing edge of the timeout.\n * @returns {Function} Returns the new debounced function.\n * @example\n *\n * // Avoid costly calculations while the window size is in flux.\n * jQuery(window).on('resize', _.debounce(calculateLayout, 150));\n *\n * // Invoke `sendMail` when clicked, debouncing subsequent calls.\n * jQuery(element).on('click', _.debounce(sendMail, 300, {\n * 'leading': true,\n * 'trailing': false\n * }));\n *\n * // Ensure `batchLog` is invoked once after 1 second of debounced calls.\n * var debounced = _.debounce(batchLog, 250, { 'maxWait': 1000 });\n * var source = new EventSource('/stream');\n * jQuery(source).on('message', debounced);\n *\n * // Cancel the trailing debounced invocation.\n * jQuery(window).on('popstate', debounced.cancel);\n */\nfunction debounce(func, wait, options) {\n var lastArgs,\n lastThis,\n maxWait,\n result,\n timerId,\n lastCallTime,\n lastInvokeTime = 0,\n leading = false,\n maxing = false,\n trailing = true;\n\n if (typeof func != 'function') {\n throw new TypeError(FUNC_ERROR_TEXT);\n }\n wait = toNumber(wait) || 0;\n if (isObject(options)) {\n leading = !!options.leading;\n maxing = 'maxWait' in options;\n maxWait = maxing ? nativeMax(toNumber(options.maxWait) || 0, wait) : maxWait;\n trailing = 'trailing' in options ? !!options.trailing : trailing;\n }\n\n function invokeFunc(time) {\n var args = lastArgs,\n thisArg = lastThis;\n\n lastArgs = lastThis = undefined;\n lastInvokeTime = time;\n result = func.apply(thisArg, args);\n return result;\n }\n\n function leadingEdge(time) {\n // Reset any `maxWait` timer.\n lastInvokeTime = time;\n // Start the timer for the trailing edge.\n timerId = setTimeout(timerExpired, wait);\n // Invoke the leading edge.\n return leading ? invokeFunc(time) : result;\n }\n\n function remainingWait(time) {\n var timeSinceLastCall = time - lastCallTime,\n timeSinceLastInvoke = time - lastInvokeTime,\n timeWaiting = wait - timeSinceLastCall;\n\n return maxing\n ? nativeMin(timeWaiting, maxWait - timeSinceLastInvoke)\n : timeWaiting;\n }\n\n function shouldInvoke(time) {\n var timeSinceLastCall = time - lastCallTime,\n timeSinceLastInvoke = time - lastInvokeTime;\n\n // Either this is the first call, activity has stopped and we're at the\n // trailing edge, the system time has gone backwards and we're treating\n // it as the trailing edge, or we've hit the `maxWait` limit.\n return (lastCallTime === undefined || (timeSinceLastCall >= wait) ||\n (timeSinceLastCall < 0) || (maxing && timeSinceLastInvoke >= maxWait));\n }\n\n function timerExpired() {\n var time = now();\n if (shouldInvoke(time)) {\n return trailingEdge(time);\n }\n // Restart the timer.\n timerId = setTimeout(timerExpired, remainingWait(time));\n }\n\n function trailingEdge(time) {\n timerId = undefined;\n\n // Only invoke if we have `lastArgs` which means `func` has been\n // debounced at least once.\n if (trailing && lastArgs) {\n return invokeFunc(time);\n }\n lastArgs = lastThis = undefined;\n return result;\n }\n\n function cancel() {\n if (timerId !== undefined) {\n clearTimeout(timerId);\n }\n lastInvokeTime = 0;\n lastArgs = lastCallTime = lastThis = timerId = undefined;\n }\n\n function flush() {\n return timerId === undefined ? result : trailingEdge(now());\n }\n\n function debounced() {\n var time = now(),\n isInvoking = shouldInvoke(time);\n\n lastArgs = arguments;\n lastThis = this;\n lastCallTime = time;\n\n if (isInvoking) {\n if (timerId === undefined) {\n return leadingEdge(lastCallTime);\n }\n if (maxing) {\n // Handle invocations in a tight loop.\n clearTimeout(timerId);\n timerId = setTimeout(timerExpired, wait);\n return invokeFunc(lastCallTime);\n }\n }\n if (timerId === undefined) {\n timerId = setTimeout(timerExpired, wait);\n }\n return result;\n }\n debounced.cancel = cancel;\n debounced.flush = flush;\n return debounced;\n}\n\nmodule.exports = debounce;\n","var Set = require('./_Set'),\n noop = require('./noop'),\n setToArray = require('./_setToArray');\n\n/** Used as references for various `Number` constants. */\nvar INFINITY = 1 / 0;\n\n/**\n * Creates a set object of `values`.\n *\n * @private\n * @param {Array} values The values to add to the set.\n * @returns {Object} Returns the new set.\n */\nvar createSet = !(Set && (1 / setToArray(new Set([,-0]))[1]) == INFINITY) ? noop : function(values) {\n return new Set(values);\n};\n\nmodule.exports = createSet;\n","var SetCache = require('./_SetCache'),\n arrayIncludes = require('./_arrayIncludes'),\n arrayIncludesWith = require('./_arrayIncludesWith'),\n cacheHas = require('./_cacheHas'),\n createSet = require('./_createSet'),\n setToArray = require('./_setToArray');\n\n/** Used as the size to enable large array optimizations. */\nvar LARGE_ARRAY_SIZE = 200;\n\n/**\n * The base implementation of `_.uniqBy` without support for iteratee shorthands.\n *\n * @private\n * @param {Array} array The array to inspect.\n * @param {Function} [iteratee] The iteratee invoked per element.\n * @param {Function} [comparator] The comparator invoked per element.\n * @returns {Array} Returns the new duplicate free array.\n */\nfunction baseUniq(array, iteratee, comparator) {\n var index = -1,\n includes = arrayIncludes,\n length = array.length,\n isCommon = true,\n result = [],\n seen = result;\n\n if (comparator) {\n isCommon = false;\n includes = arrayIncludesWith;\n }\n else if (length >= LARGE_ARRAY_SIZE) {\n var set = iteratee ? null : createSet(array);\n if (set) {\n return setToArray(set);\n }\n isCommon = false;\n includes = cacheHas;\n seen = new SetCache;\n }\n else {\n seen = iteratee ? [] : result;\n }\n outer:\n while (++index < length) {\n var value = array[index],\n computed = iteratee ? iteratee(value) : value;\n\n value = (comparator || value !== 0) ? value : 0;\n if (isCommon && computed === computed) {\n var seenIndex = seen.length;\n while (seenIndex--) {\n if (seen[seenIndex] === computed) {\n continue outer;\n }\n }\n if (iteratee) {\n seen.push(computed);\n }\n result.push(value);\n }\n else if (!includes(seen, computed, comparator)) {\n if (seen !== result) {\n seen.push(computed);\n }\n result.push(value);\n }\n }\n return result;\n}\n\nmodule.exports = baseUniq;\n","var baseUniq = require('./_baseUniq');\n\n/**\n * Creates a duplicate-free version of an array, using\n * [`SameValueZero`](http://ecma-international.org/ecma-262/7.0/#sec-samevaluezero)\n * for equality comparisons, in which only the first occurrence of each element\n * is kept. The order of result values is determined by the order they occur\n * in the array.\n *\n * @static\n * @memberOf _\n * @since 0.1.0\n * @category Array\n * @param {Array} array The array to inspect.\n * @returns {Array} Returns the new duplicate free array.\n * @example\n *\n * _.uniq([2, 1, 2]);\n * // => [2, 1]\n */\nfunction uniq(array) {\n return (array && array.length) ? baseUniq(array) : [];\n}\n\nmodule.exports = uniq;\n","var baseSortedUniq = require('./_baseSortedUniq');\n\n/**\n * This method is like `_.uniq` except that it's designed and optimized\n * for sorted arrays.\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category Array\n * @param {Array} array The array to inspect.\n * @returns {Array} Returns the new duplicate free array.\n * @example\n *\n * _.sortedUniq([1, 1, 2]);\n * // => [1, 2]\n */\nfunction sortedUniq(array) {\n return (array && array.length)\n ? baseSortedUniq(array)\n : [];\n}\n\nmodule.exports = sortedUniq;\n","\n\n\t\n\t\t
\n\t\t\t{{ t('settings', 'Enforcement of two-factor authentication can be set for certain groups only.') }}\n\t\t\t
\n\t\t\t\t{{ t('settings', 'Two-factor authentication is enforced for all members of the following groups.') }}\n\t\t\t
\n\t\t\t
\n\t\t\t\t\n\t\t\t\t\n\t\t\t
\n\t\t\t
\n\t\t\t\t{{ t('settings', 'Two-factor authentication is not enforced for members of the following groups.') }}\n\t\t\t
\n\t\t\t
\n\t\t\t\t\n\t\t\t\t\n\t\t\t
\n\t\t\t
\n\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t{{ t('settings', 'When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced.') }}\n\t\t\t\t\n\t\t\t
\n\t\n\n\n\n\n\n","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./AdminTwoFactor.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!./AdminTwoFactor.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/vue-loader/lib/index.js??vue-loader-options!./AdminTwoFactor.vue?vue&type=style&index=0&id=b52708a6&prod&scoped=true&lang=css\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\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/vue-loader/lib/index.js??vue-loader-options!./AdminTwoFactor.vue?vue&type=style&index=0&id=b52708a6&prod&scoped=true&lang=css\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./AdminTwoFactor.vue?vue&type=template&id=b52708a6&scoped=true\"\nimport script from \"./AdminTwoFactor.vue?vue&type=script&lang=js\"\nexport * from \"./AdminTwoFactor.vue?vue&type=script&lang=js\"\nimport style0 from \"./AdminTwoFactor.vue?vue&type=style&index=0&id=b52708a6&prod&scoped=true&lang=css\"\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 \"b52708a6\",\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('NcSettingsSection',{attrs:{\"name\":_vm.t('settings', 'Two-Factor Authentication'),\"description\":_vm.t('settings', 'Two-factor authentication can be enforced for all accounts and specific groups. If they do not have a two-factor provider configured, they will be unable to log into the system.'),\"doc-url\":_vm.twoFactorAdminDoc}},[(_vm.loading)?_c('p',[_c('span',{staticClass:\"icon-loading-small two-factor-loading\"}),_vm._v(\" \"),_c('span',[_vm._v(_vm._s(_vm.t('settings', 'Enforce two-factor authentication')))])]):_c('NcCheckboxRadioSwitch',{attrs:{\"id\":\"two-factor-enforced\",\"checked\":_vm.enforced,\"type\":\"switch\"},on:{\"update:checked\":function($event){_vm.enforced=$event}}},[_vm._v(\"\\n\\t\\t\"+_vm._s(_vm.t('settings', 'Enforce two-factor authentication'))+\"\\n\\t\")]),_vm._v(\" \"),(_vm.enforced)?[_c('h3',[_vm._v(_vm._s(_vm.t('settings', 'Limit to groups')))]),_vm._v(\"\\n\\t\\t\"+_vm._s(_vm.t('settings', 'Enforcement of two-factor authentication can be set for certain groups only.'))+\"\\n\\t\\t\"),_c('p',{staticClass:\"top-margin\"},[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_vm.t('settings', 'Two-factor authentication is enforced for all members of the following groups.'))+\"\\n\\t\\t\")]),_vm._v(\" \"),_c('p',[_c('label',{attrs:{\"for\":\"enforcedGroups\"}},[_c('span',[_vm._v(_vm._s(_vm.t('settings', 'Enforced groups')))])]),_vm._v(\" \"),_c('NcSelect',{attrs:{\"input-id\":\"enforcedGroups\",\"options\":_vm.groups,\"disabled\":_vm.loading,\"multiple\":true,\"loading\":_vm.loadingGroups,\"close-on-select\":false},on:{\"search\":_vm.searchGroup},model:{value:(_vm.enforcedGroups),callback:function ($$v) {_vm.enforcedGroups=$$v},expression:\"enforcedGroups\"}})],1),_vm._v(\" \"),_c('p',{staticClass:\"top-margin\"},[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_vm.t('settings', 'Two-factor authentication is not enforced for members of the following groups.'))+\"\\n\\t\\t\")]),_vm._v(\" \"),_c('p',[_c('label',{attrs:{\"for\":\"excludedGroups\"}},[_c('span',[_vm._v(_vm._s(_vm.t('settings', 'Excluded groups')))])]),_vm._v(\" \"),_c('NcSelect',{attrs:{\"input-id\":\"excludedGroups\",\"options\":_vm.groups,\"disabled\":_vm.loading,\"multiple\":true,\"loading\":_vm.loadingGroups,\"close-on-select\":false},on:{\"search\":_vm.searchGroup},model:{value:(_vm.excludedGroups),callback:function ($$v) {_vm.excludedGroups=$$v},expression:\"excludedGroups\"}})],1),_vm._v(\" \"),_c('p',{staticClass:\"top-margin\"},[_c('em',[_vm._v(\"\\n\\t\\t\\t\\t\"+_vm._s(_vm.t('settings', 'When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced.'))+\"\\n\\t\\t\\t\")])])]:_vm._e(),_vm._v(\" \"),_c('p',{staticClass:\"top-margin\"},[(_vm.dirty)?_c('NcButton',{attrs:{\"type\":\"primary\",\"disabled\":_vm.loading},on:{\"click\":_vm.saveChanges}},[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_vm.t('settings', 'Save changes'))+\"\\n\\t\\t\")]):_vm._e()],1)],2)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c(_setup.NcSettingsSection,{attrs:{\"name\":_setup.t('settings', 'Server-side encryption'),\"description\":_setup.t('settings', 'Server-side encryption makes it possible to encrypt files which are uploaded to this server. This comes with limitations like a performance penalty, so enable this only if needed.'),\"doc-url\":_setup.encryptionAdminDoc}},[(_setup.encryptionEnabled)?_c(_setup.NcNoteCard,{attrs:{\"type\":\"info\"}},[_c('p',[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_setup.textExistingFilesNotEncrypted)+\"\\n\\t\\t\\t\"+_vm._s(_setup.t('settings', 'To encrypt all existing files run this OCC command:'))+\"\\n\\t\\t\")]),_vm._v(\" \"),_c('code',[_c('pre',[_vm._v(\"occ encryption:encrypt-all\")])])]):_vm._e(),_vm._v(\" \"),_c(_setup.NcCheckboxRadioSwitch,{class:{ disabled: _setup.encryptionEnabled },attrs:{\"checked\":_setup.encryptionEnabled,\"aria-disabled\":_setup.encryptionEnabled ? 'true' : undefined,\"aria-describedby\":_setup.encryptionEnabled ? 'server-side-encryption-disable-hint' : undefined,\"loading\":_setup.loadingEncryptionState,\"type\":\"switch\"},on:{\"update:checked\":_setup.displayWarning}},[_vm._v(\"\\n\\t\\t\"+_vm._s(_setup.t('settings', 'Enable server-side encryption'))+\"\\n\\t\")]),_vm._v(\" \"),(_setup.encryptionEnabled)?_c('p',{staticClass:\"disable-hint\",attrs:{\"id\":\"server-side-encryption-disable-hint\"}},[_vm._v(\"\\n\\t\\t\"+_vm._s(_setup.t('settings', 'Disabling server side encryption is only possible using OCC, please refer to the documentation.'))+\"\\n\\t\")]):_vm._e(),_vm._v(\" \"),(_setup.encryptionModules.length === 0)?_c(_setup.NcNoteCard,{attrs:{\"type\":\"warning\",\"text\":_setup.t('settings', 'No encryption module loaded, please enable an encryption module in the app menu.')}}):(_setup.encryptionEnabled)?[(_setup.encryptionReady && _setup.encryptionModules.length > 0)?_c('div',[_c('h3',[_vm._v(_vm._s(_setup.t('settings', 'Select default encryption module:')))]),_vm._v(\" \"),_c('fieldset',_vm._l((_setup.encryptionModules),function(module){return _c(_setup.NcCheckboxRadioSwitch,{key:module.id,attrs:{\"checked\":_setup.defaultCheckedModule,\"value\":module.id,\"type\":\"radio\",\"name\":\"default_encryption_module\"},on:{\"update:checked\":[function($event){_setup.defaultCheckedModule=$event},_setup.checkDefaultModule]}},[_vm._v(\"\\n\\t\\t\\t\\t\\t\"+_vm._s(module.displayName)+\"\\n\\t\\t\\t\\t\")])}),1)]):(_setup.externalBackendsEnabled)?_c('div',[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_setup.t(\n\t\t\t\t\t'settings',\n\t\t\t\t\t'You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one. Please enable the \"Default encryption module\" and run {command}',\n\t\t\t\t\t{ command: '\"occ encryption:migrate\"' },\n\t\t\t\t))+\"\\n\\t\\t\")]):_vm._e()]:_vm._e()],2)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","/*!\n * SPDX-FileCopyrightText: 2025 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\nimport { t } from '@nextcloud/l10n';\nconst productName = window.OC.theme.productName;\nexport const textExistingFilesNotEncrypted = t('settings', 'For performance reasons, when you enable encryption on a {productName} server only new and changed files are encrypted.', { productName });\n","/**\n * SPDX-FileCopyrightText: 2020 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\nimport { getLoggerBuilder } from '@nextcloud/logger';\nexport default getLoggerBuilder()\n .setApp('settings')\n .detectUser()\n .build();\n","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c(_setup.NcDialog,{attrs:{\"buttons\":_setup.buttons,\"name\":_setup.t('settings', 'Confirm enabling encryption'),\"size\":\"normal\"},on:{\"update:open\":_setup.onUpdateOpen}},[_c(_setup.NcNoteCard,{attrs:{\"type\":\"warning\"}},[_c('p',[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_setup.t('settings', 'Please read carefully before activating server-side encryption:'))+\"\\n\\t\\t\\t\"),_c('ul',[_c('li',[_vm._v(\"\\n\\t\\t\\t\\t\\t\"+_vm._s(_setup.t('settings', 'Once encryption is enabled, all files uploaded to the server from that point forward will be encrypted at rest on the server. It will only be possible to disable encryption at a later date if the active encryption module supports that function, and all pre-conditions (e.g. setting a recover key) are met.'))+\"\\n\\t\\t\\t\\t\")]),_vm._v(\" \"),_c('li',[_vm._v(\"\\n\\t\\t\\t\\t\\t\"+_vm._s(_setup.t('settings', 'By default a master key for the whole instance will be generated. Please check if that level of access is compliant with your needs.'))+\"\\n\\t\\t\\t\\t\")]),_vm._v(\" \"),_c('li',[_vm._v(\"\\n\\t\\t\\t\\t\\t\"+_vm._s(_setup.t('settings', 'Encryption alone does not guarantee security of the system. Please see documentation for more information about how the encryption app works, and the supported use cases.'))+\"\\n\\t\\t\\t\\t\")]),_vm._v(\" \"),_c('li',[_vm._v(\"\\n\\t\\t\\t\\t\\t\"+_vm._s(_setup.t('settings', 'Be aware that encryption always increases the file size.'))+\"\\n\\t\\t\\t\\t\")]),_vm._v(\" \"),_c('li',[_vm._v(\"\\n\\t\\t\\t\\t\\t\"+_vm._s(_setup.t('settings', 'It is always good to create regular backups of your data, in case of encryption make sure to backup the encryption keys along with your data.'))+\"\\n\\t\\t\\t\\t\")]),_vm._v(\" \"),_c('li',[_vm._v(\"\\n\\t\\t\\t\\t\\t\"+_vm._s(_setup.textExistingFilesNotEncrypted)+\"\\n\\t\\t\\t\\t\\t\"+_vm._s(_setup.t('settings', 'Refer to the admin documentation on how to manually also encrypt existing files.'))+\"\\n\\t\\t\\t\\t\")])])])]),_vm._v(\" \"),_c('p',[_vm._v(\"\\n\\t\\t\"+_vm._s(_setup.t('settings', 'This is the final warning: Do you really want to enable encryption?'))+\"\\n\\t\")])],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!./EncryptionWarningDialog.vue?vue&type=script&setup=true&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!./EncryptionWarningDialog.vue?vue&type=script&setup=true&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/vue-loader/lib/index.js??vue-loader-options!./EncryptionWarningDialog.vue?vue&type=style&index=0&id=46489320&prod&scoped=true&lang=css\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\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/vue-loader/lib/index.js??vue-loader-options!./EncryptionWarningDialog.vue?vue&type=style&index=0&id=46489320&prod&scoped=true&lang=css\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./EncryptionWarningDialog.vue?vue&type=template&id=46489320&scoped=true\"\nimport script from \"./EncryptionWarningDialog.vue?vue&type=script&setup=true&lang=ts\"\nexport * from \"./EncryptionWarningDialog.vue?vue&type=script&setup=true&lang=ts\"\nimport style0 from \"./EncryptionWarningDialog.vue?vue&type=style&index=0&id=46489320&prod&scoped=true&lang=css\"\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 \"46489320\",\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!./EncryptionSettings.vue?vue&type=script&setup=true&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!./EncryptionSettings.vue?vue&type=script&setup=true&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/vue-loader/lib/index.js??vue-loader-options!./EncryptionSettings.vue?vue&type=style&index=0&id=221e1f48&prod&scoped=true&lang=css\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\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/vue-loader/lib/index.js??vue-loader-options!./EncryptionSettings.vue?vue&type=style&index=0&id=221e1f48&prod&scoped=true&lang=css\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./EncryptionSettings.vue?vue&type=template&id=221e1f48&scoped=true\"\nimport script from \"./EncryptionSettings.vue?vue&type=script&setup=true&lang=ts\"\nexport * from \"./EncryptionSettings.vue?vue&type=script&setup=true&lang=ts\"\nimport style0 from \"./EncryptionSettings.vue?vue&type=style&index=0&id=221e1f48&prod&scoped=true&lang=css\"\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 \"221e1f48\",\n null\n \n)\n\nexport default component.exports","/**\n * SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport Vue from 'vue'\nimport Vuex, { Store } from 'vuex'\n\nVue.use(Vuex)\n\nconst state = {\n\tenforced: false,\n\tenforcedGroups: [],\n\texcludedGroups: [],\n}\n\nconst mutations = {\n\tsetEnforced(state, enabled) {\n\t\tVue.set(state, 'enforced', enabled)\n\t},\n\tsetEnforcedGroups(state, total) {\n\t\tVue.set(state, 'enforcedGroups', total)\n\t},\n\tsetExcludedGroups(state, used) {\n\t\tVue.set(state, 'excludedGroups', used)\n\t},\n}\n\nexport default new Store({\n\tstrict: process.env.NODE_ENV !== 'production',\n\tstate,\n\tmutations,\n})\n","/**\n * SPDX-FileCopyrightText: 2016 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\nimport { getCSPNonce } from '@nextcloud/auth'\nimport { loadState } from '@nextcloud/initial-state'\nimport Vue from 'vue'\n\nimport AdminTwoFactor from './components/AdminTwoFactor.vue'\nimport EncryptionSettings from './components/Encryption/EncryptionSettings.vue'\nimport store from './store/admin-security.js'\n\n// eslint-disable-next-line camelcase\n__webpack_nonce__ = getCSPNonce()\n\nVue.prototype.t = t\n\n// Not used here but required for legacy templates\nwindow.OC = window.OC || {}\nwindow.OC.Settings = window.OC.Settings || {}\n\nstore.replaceState(\n\tloadState('settings', 'mandatory2FAState'),\n)\n\nconst View = Vue.extend(AdminTwoFactor)\nnew View({\n\tstore,\n}).$mount('#two-factor-auth-settings')\n\nconst EncryptionView = Vue.extend(EncryptionSettings)\nnew EncryptionView().$mount('#vue-admin-encryption')\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, `\n.two-factor-loading[data-v-b52708a6] {\n\tdisplay: inline-block;\n\tvertical-align: sub;\n\tmargin-inline: -2px 1px;\n}\n.top-margin[data-v-b52708a6] {\n\tmargin-top: 0.5rem;\n}\n`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/settings/src/components/AdminTwoFactor.vue\"],\"names\":[],\"mappings\":\";AAyLA;CACA,qBAAA;CACA,mBAAA;CACA,uBAAA;AACA;AAEA;CACA,kBAAA;AACA\",\"sourcesContent\":[\"\\n\\n\\t\\n\\t\\t
\\n\\t\\t\\t{{ t('settings', 'Enforcement of two-factor authentication can be set for certain groups only.') }}\\n\\t\\t\\t
\\n\\t\\t\\t\\t{{ t('settings', 'Two-factor authentication is enforced for all members of the following groups.') }}\\n\\t\\t\\t
\\n\\t\\t\\t
\\n\\t\\t\\t\\t\\n\\t\\t\\t\\t\\n\\t\\t\\t
\\n\\t\\t\\t
\\n\\t\\t\\t\\t{{ t('settings', 'Two-factor authentication is not enforced for members of the following groups.') }}\\n\\t\\t\\t
\\n\\t\\t\\t
\\n\\t\\t\\t\\t\\n\\t\\t\\t\\t\\n\\t\\t\\t
\\n\\t\\t\\t
\\n\\t\\t\\t\\t\\n\\t\\t\\t\\t\\t\\n\\t\\t\\t\\t\\t{{ t('settings', 'When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced.') }}\\n\\t\\t\\t\\t\\n\\t\\t\\t
\\n\\t\\n\\n\\n\\n\\n\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\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=\" + {\"640\":\"d3d98600d88fd55c7b27\",\"5771\":\"d141d1ad8187d99738b9\",\"5810\":\"fc51f8aa95a9854d22fd\",\"7471\":\"6423b9b898ffefeb7d1d\",\"8474\":\"d060bb2e97b1499bd6b0\"}[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 = 7584;","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 && document.currentScript.tagName.toUpperCase() === 'SCRIPT')\n\t\tscriptUrl = document.currentScript.src;\n\tif (!scriptUrl) {\n\t\tvar scripts = document.getElementsByTagName(\"script\");\n\t\tif(scripts.length) {\n\t\t\tvar i = scripts.length - 1;\n\t\t\twhile (i > -1 && (!scriptUrl || !/^http(s?):/.test(scriptUrl))) scriptUrl = scripts[i--].src;\n\t\t}\n\t}\n}\n// When supporting browsers where an automatic publicPath is not supported you must specify an output.publicPath manually via configuration\n// or pass an empty string (\"\") and set the __webpack_public_path__ variable from your code to use your own logic.\nif (!scriptUrl) throw new Error(\"Automatic publicPath is not supported in this browser\");\nscriptUrl = scriptUrl.replace(/^blob:/, \"\").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\t7584: 0\n};\n\n__webpack_require__.f.j = (chunkId, promises) => {\n\t\t// JSONP chunk loading for javascript\n\t\tvar installedChunkData = __webpack_require__.o(installedChunks, chunkId) ? installedChunks[chunkId] : undefined;\n\t\tif(installedChunkData !== 0) { // 0 means \"already installed\".\n\n\t\t\t// a Promise means \"currently loading\".\n\t\t\tif(installedChunkData) {\n\t\t\t\tpromises.push(installedChunkData[2]);\n\t\t\t} else {\n\t\t\t\tif(true) { // all chunks have JS\n\t\t\t\t\t// setup Promise in chunk cache\n\t\t\t\t\tvar promise = new Promise((resolve, reject) => (installedChunkData = installedChunks[chunkId] = [resolve, reject]));\n\t\t\t\t\tpromises.push(installedChunkData[2] = promise);\n\n\t\t\t\t\t// start chunk loading\n\t\t\t\t\tvar url = __webpack_require__.p + __webpack_require__.u(chunkId);\n\t\t\t\t\t// create error before stack unwound to get useful stacktrace later\n\t\t\t\t\tvar error = new Error();\n\t\t\t\t\tvar loadingEnded = (event) => {\n\t\t\t\t\t\tif(__webpack_require__.o(installedChunks, chunkId)) {\n\t\t\t\t\t\t\tinstalledChunkData = installedChunks[chunkId];\n\t\t\t\t\t\t\tif(installedChunkData !== 0) installedChunks[chunkId] = undefined;\n\t\t\t\t\t\t\tif(installedChunkData) {\n\t\t\t\t\t\t\t\tvar errorType = event && (event.type === 'load' ? 'missing' : event.type);\n\t\t\t\t\t\t\t\tvar realSrc = event && event.target && event.target.src;\n\t\t\t\t\t\t\t\terror.message = 'Loading chunk ' + chunkId + ' failed.\\n(' + errorType + ': ' + realSrc + ')';\n\t\t\t\t\t\t\t\terror.name = 'ChunkLoadError';\n\t\t\t\t\t\t\t\terror.type = errorType;\n\t\t\t\t\t\t\t\terror.request = realSrc;\n\t\t\t\t\t\t\t\tinstalledChunkData[1](error);\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\t\t\t\t\t};\n\t\t\t\t\t__webpack_require__.l(url, loadingEnded, \"chunk-\" + chunkId, chunkId);\n\t\t\t\t}\n\t\t\t}\n\t\t}\n};\n\n// no prefetching\n\n// no preloaded\n\n// no HMR\n\n// no HMR manifest\n\n__webpack_require__.O.j = (chunkId) => (installedChunks[chunkId] === 0);\n\n// install a JSONP callback for chunk loading\nvar webpackJsonpCallback = (parentChunkLoadingFunction, data) => {\n\tvar chunkIds = data[0];\n\tvar moreModules = data[1];\n\tvar runtime = data[2];\n\t// add \"moreModules\" to the modules object,\n\t// then flag all \"chunkIds\" as loaded and fire callback\n\tvar moduleId, chunkId, i = 0;\n\tif(chunkIds.some((id) => (installedChunks[id] !== 0))) {\n\t\tfor(moduleId in moreModules) {\n\t\t\tif(__webpack_require__.o(moreModules, moduleId)) {\n\t\t\t\t__webpack_require__.m[moduleId] = moreModules[moduleId];\n\t\t\t}\n\t\t}\n\t\tif(runtime) var result = runtime(__webpack_require__);\n\t}\n\tif(parentChunkLoadingFunction) parentChunkLoadingFunction(data);\n\tfor(;i < chunkIds.length; i++) {\n\t\tchunkId = chunkIds[i];\n\t\tif(__webpack_require__.o(installedChunks, chunkId) && installedChunks[chunkId]) {\n\t\t\tinstalledChunks[chunkId][0]();\n\t\t}\n\t\tinstalledChunks[chunkId] = 0;\n\t}\n\treturn __webpack_require__.O(result);\n}\n\nvar chunkLoadingGlobal = self[\"webpackChunknextcloud\"] = self[\"webpackChunknextcloud\"] || [];\nchunkLoadingGlobal.forEach(webpackJsonpCallback.bind(null, 0));\nchunkLoadingGlobal.push = webpackJsonpCallback.bind(null, chunkLoadingGlobal.push.bind(chunkLoadingGlobal));","__webpack_require__.nc = undefined;","// startup\n// Load entry module and return exports\n// This entry module depends on other loaded chunks and execution need to be delayed\nvar __webpack_exports__ = __webpack_require__.O(undefined, [4208], () => (__webpack_require__(73222)))\n__webpack_exports__ = __webpack_require__.O(__webpack_exports__);\n"],"names":["deferred","inProgress","dataWebpackPrefix","root","module","exports","Date","now","eq","array","iteratee","index","length","resIndex","result","value","computed","seen","___CSS_LOADER_EXPORT___","push","id","comparator","isObject","toNumber","nativeMax","Math","max","nativeMin","min","func","wait","options","lastArgs","lastThis","maxWait","timerId","lastCallTime","lastInvokeTime","leading","maxing","trailing","TypeError","invokeFunc","time","args","thisArg","undefined","apply","shouldInvoke","timeSinceLastCall","timerExpired","trailingEdge","setTimeout","timeWaiting","remainingWait","debounced","isInvoking","arguments","this","leadingEdge","clearTimeout","cancel","flush","Set","noop","setToArray","createSet","values","SetCache","arrayIncludes","arrayIncludesWith","cacheHas","includes","isCommon","set","outer","seenIndex","baseUniq","baseSortedUniq","name","components","NcSelect","NcButton","NcCheckboxRadioSwitch","NcSettingsSection","data","loading","dirty","groups","loadingGroups","twoFactorAdminDoc","loadState","enforced","get","$store","state","val","commit","enforcedGroups","excludedGroups","mounted","sortedUniq","uniq","concat","searchGroup","methods","debounce","query","axios","generateOcsUrl","then","res","ocs","catch","err","console","error","saveChanges","put","generateUrl","resp","styleTagTransform","setAttributes","insert","domAPI","insertStyleElement","locals","_vm","_c","_self","attrs","t","staticClass","_v","_s","on","$event","model","callback","$$v","expression","_e","productName","window","OC","theme","textExistingFilesNotEncrypted","getLoggerBuilder","setApp","detectUser","build","_defineComponent","__name","emits","setup","__props","_ref","emit","buttons","label","type","__sfc","onUpdateOpen","isOpen","NcDialog","NcNoteCard","_setup","_setupProxy","allEncryptionModules","encryptionModules","Array","isArray","Object","entries","map","defaultCheckedModule","find","default","encryptionReady","externalBackendsEnabled","encryptionAdminDoc","encryptionEnabled","ref","loadingEncryptionState","update","key","confirmPassword","url","appId","post","meta","status","Error","cause","showError","logger","enableEncryption","displayWarning","enabled","spawnDialog","EncryptionWarningDialog","confirmed","checkDefaultModule","class","disabled","_l","displayName","command","Vue","use","Vuex","mutations","setEnforced","setEnforcedGroups","total","setExcludedGroups","used","Store","strict","process","__webpack_nonce__","getCSPNonce","prototype","Settings","store","replaceState","extend","AdminTwoFactor","$mount","EncryptionSettings","__webpack_module_cache__","__webpack_require__","moduleId","cachedModule","loaded","__webpack_modules__","call","m","O","chunkIds","fn","priority","notFulfilled","Infinity","i","fulfilled","j","keys","every","splice","r","n","getter","__esModule","d","a","definition","o","defineProperty","enumerable","f","e","chunkId","Promise","all","reduce","promises","u","g","globalThis","Function","obj","prop","hasOwnProperty","l","done","script","needAttach","scripts","document","getElementsByTagName","s","getAttribute","createElement","charset","timeout","nc","setAttribute","src","onScriptComplete","prev","event","onerror","onload","doneFns","parentNode","removeChild","forEach","bind","target","head","appendChild","Symbol","toStringTag","nmd","paths","children","scriptUrl","importScripts","location","currentScript","tagName","toUpperCase","test","replace","p","b","baseURI","self","href","installedChunks","installedChunkData","promise","resolve","reject","errorType","realSrc","message","request","webpackJsonpCallback","parentChunkLoadingFunction","moreModules","runtime","some","chunkLoadingGlobal","__webpack_exports__"],"sourceRoot":""}
\ No newline at end of file
diff --git a/dist/settings-vue-settings-apps-users-management.js b/dist/settings-vue-settings-apps-users-management.js
index 3672bfd88ed..23ed258e66d 100644
--- a/dist/settings-vue-settings-apps-users-management.js
+++ b/dist/settings-vue-settings-apps-users-management.js
@@ -1,2 +1,2 @@
-(()=>{var e,r,s,a={6028:(e,t,r)=>{"use strict";r.d(t,{A:()=>o});var s=r(65043),a=r(56760);r(51257);const i=function(e){return e.replace(/\/$/,"")},o={requireAdmin:()=>(0,a.C5)(),get:(e,t)=>s.Ay.get(i(e),t),post:(e,t)=>s.Ay.post(i(e),t),patch:(e,t)=>s.Ay.patch(i(e),t),put:(e,t)=>s.Ay.put(i(e),t),delete:(e,t)=>s.Ay.delete(i(e),{params:t})}},12836:(e,t,r)=>{"use strict";var s=r(85471),a=r(95353),i=r(80284),o=r(58723),n=r(53334),c=r(22378);const u=(0,s.pM)({__name:"SettingsApp",setup:e=>({__sfc:!0,NcContent:c.A})}),l=(0,r(14486).A)(u,function(){var e=this,t=e._self._c;return t(e._self._setupProxy.NcContent,{attrs:{"app-name":"settings"}},[t("router-view",{attrs:{name:"navigation"}}),e._v(" "),t("router-view"),e._v(" "),t("router-view",{attrs:{name:"sidebar"}})],1)},[],!1,null,null,null).exports;var d=r(40173),p=r(63814);const m=[{name:"users",path:"/:index(index.php/)?settings/users",components:{default:()=>Promise.all([r.e(4208),r.e(23),r.e(3239)]).then(r.bind(r,7539)),navigation:()=>Promise.all([r.e(4208),r.e(23),r.e(3239)]).then(r.bind(r,5409))},props:!0,children:[{path:":selectedGroup",name:"group"}]},{path:"/:index(index.php/)?settings/apps",name:"apps",redirect:{name:"apps-category",params:{category:(0,r(81222).C)("settings","appstoreEnabled",!0)?"discover":"installed"}},components:{default:()=>Promise.all([r.e(4208),r.e(23),r.e(4529)]).then(r.bind(r,60780)),navigation:()=>Promise.all([r.e(4208),r.e(23),r.e(4529)]).then(r.bind(r,78451)),sidebar:()=>Promise.all([r.e(4208),r.e(23),r.e(4529)]).then(r.bind(r,90206))},children:[{path:":category",name:"apps-category",children:[{path:":id",name:"apps-details"}]}]}];s.Ay.use(d.Ay);const E=new d.Ay({mode:"history",base:(0,p.Jv)(""),linkActiveClass:"active",routes:m});var g=r(14744),h=r(21777),f=r(65899);r.nc=(0,h.aV)(),s.Ay.prototype.t=n.t,s.Ay.prototype.n=n.n,s.Ay.use(f.R2),s.Ay.use(i.Ay,{defaultHtml:!1}),s.Ay.use(a.Ay);const A=(0,g.P)();(0,o.O)(A,E);const I=(0,f.Ey)();new s.Ay({router:E,store:A,pinia:I,render:e=>e(l),el:"#content"})},14744:(e,r,s)=>{"use strict";s.d(r,{P:()=>$});var a=s(95353),i=s(59097),o=s(87485),n=s(35810),c=s(85168),u=s(63814),l=s(81222),d=s(65043),p=s(15916),m=s(53334);const E=Intl.Collator([(0,m.Z0)(),(0,m.lO)()],{numeric:!0,usage:"sort"});var g=s(6028),h=s(36620);const f=(0,l.C)("settings","usersSettings",{}),A=(0,i.c0)("settings").persist(!0).build(),I={id:"",name:"",usercount:0,disabled:0,canAdd:!0,canRemove:!0},T={users:[],groups:[...f.getSubAdminGroups??[],...f.systemGroups??[]],orderBy:f.sortGroups??p.q.UserCount,minPasswordLength:0,usersOffset:0,usersLimit:25,disabledUsersOffset:0,disabledUsersLimit:25,userCount:f.userCount??0,showConfig:{showStoragePath:"true"===A.getItem("account_settings__showStoragePath"),showUserBackend:"true"===A.getItem("account_settings__showUserBackend"),showFirstLogin:"true"===A.getItem("account_settings__showFirstLogin"),showLastLogin:"true"===A.getItem("account_settings__showLastLogin"),showNewUserForm:"true"===A.getItem("account_settings__showNewUserForm"),showLanguages:"true"===A.getItem("account_settings__showLanguages")}},N={appendUsers(e,t){const r=e.users.map(e=>{let{id:t}=e;return t}),s=Object.values(t).filter(e=>{let{id:t}=e;return!r.includes(t)}),a=e.users.concat(s);e.usersOffset+=e.usersLimit,e.users=a},updateDisabledUsers(e,t){e.disabledUsersOffset+=e.disabledUsersLimit},setPasswordPolicyMinLength(e,t){e.minPasswordLength=""!==t?t:0},addGroup(e,t){try{if(void 0!==e.groups.find(e=>e.id===t.id))return;const r=Object.assign({},I,t);e.groups.unshift(r)}catch(e){console.error("Can't create group",e)}},renameGroup(e,t){let{gid:r,displayName:s}=t;const a=e.groups.findIndex(e=>e.id===r);if(a>=0){const t=e.groups[a];t.name=s,e.groups.splice(a,1,t)}},removeGroup(e,t){const r=e.groups.findIndex(e=>e.id===t);r>=0&&e.groups.splice(r,1)},addUserGroup(e,t){let{userid:r,gid:s}=t;const a=e.groups.find(e=>e.id===s),i=e.users.find(e=>e.id===r);a&&i.enabled&&e.userCount>0&&a.usercount++,i.groups.push(s)},removeUserGroup(e,t){let{userid:r,gid:s}=t;const a=e.groups.find(e=>e.id===s),i=e.users.find(e=>e.id===r);a&&i.enabled&&e.userCount>0&&a.usercount--;const o=i.groups;o.splice(o.indexOf(s),1)},addUserSubAdmin(e,t){let{userid:r,gid:s}=t;e.users.find(e=>e.id===r).subadmin.push(s)},removeUserSubAdmin(e,t){let{userid:r,gid:s}=t;const a=e.users.find(e=>e.id===r).subadmin;a.splice(a.indexOf(s),1)},deleteUser(e,t){const r=e.users.findIndex(e=>e.id===t);this.commit("updateUserCounts",{user:e.users[r],actionType:"remove"}),e.users.splice(r,1)},addUserData(e,t){const r=t.data.ocs.data;e.users.unshift(r),this.commit("updateUserCounts",{user:r,actionType:"create"})},enableDisableUser(e,t){let{userid:r,enabled:s}=t;const a=e.users.find(e=>e.id===r);a.enabled=s,this.commit("updateUserCounts",{user:a,actionType:s?"enable":"disable"})},updateUserCounts(e,t){let{user:r,actionType:s}=t;if(0===e.userCount)return;const a=e.groups.find(e=>"__nc_internal_recent"===e.id),i=e.groups.find(e=>"disabled"===e.id);switch(s){case"enable":case"disable":i.usercount+=r.enabled?-1:1,a.usercount+=r.enabled?1:-1,e.userCount+=r.enabled?1:-1,r.groups.forEach(t=>{const s=e.groups.find(e=>e.id===t);s&&(s.disabled+=r.enabled?-1:1)});break;case"create":a.usercount++,e.userCount++,r.groups.forEach(t=>{const r=e.groups.find(e=>e.id===t);r&&r.usercount++});break;case"remove":r.enabled?(a.usercount--,e.userCount--,r.groups.forEach(t=>{const r=e.groups.find(e=>e.id===t);r?r.usercount--:console.warn("User group "+t+" does not exist during user removal")})):(i.usercount--,r.groups.forEach(t=>{const r=e.groups.find(e=>e.id===t);r&&r.disabled--}));break;default:h.A.error(`Unknown action type in updateUserCounts: '${s}'`)}},setUserData(e,t){let{userid:r,key:s,value:a}=t;if("quota"===s){const t=(0,n.lT)(a,!0);e.users.find(e=>e.id===r)[s][s]=null!==t?t:a}else e.users.find(e=>e.id===r)[s]=a},resetUsers(e){e.users=[],e.usersOffset=0,e.disabledUsersOffset=0},resetGroups(e){e.groups=[...f.getSubAdminGroups??[],...f.systemGroups??[]]},setShowConfig(e,t){let{key:r,value:s}=t;A.setItem(`account_settings__${r}`,JSON.stringify(s)),e.showConfig[r]=s},setGroupSorting(e,r){const s=e.orderBy;e.orderBy=r,d.Ay.post((0,u.Jv)("/settings/users/preferences/group.sortBy"),{value:String(r)}).catch(r=>{e.orderBy=s,(0,c.Qg)(t("settings","Could not set group sorting")),h.A.error(r)})}},b={getUsers:e=>e.users,getGroups:e=>e.groups,getSubAdminGroups:()=>f.subAdminGroups??[],getSortedGroups(e){const t=[...e.groups];return e.orderBy===p.q.UserCount?t.sort((e,t)=>{const r=e.usercount-e.disabled,s=t.usercount-t.disabled;return rE.compare(e.name,t.name))},getGroupSorting:e=>e.orderBy,getPasswordPolicyMinLength:e=>e.minPasswordLength,getUsersOffset:e=>e.usersOffset,getUsersLimit:e=>e.usersLimit,getDisabledUsersOffset:e=>e.disabledUsersOffset,getDisabledUsersLimit:e=>e.disabledUsersLimit,getUserCount:e=>e.userCount,getShowConfig:e=>e.showConfig},_=d.Ay.CancelToken;let L=null;const O={state:T,mutations:N,getters:b,actions:{searchUsers(e,t){let{offset:r,limit:s,search:a}=t;return a="string"==typeof a?a:"",g.A.get((0,u.KT)("cloud/users/details?offset={offset}&limit={limit}&search={search}",{offset:r,limit:s,search:a})).catch(t=>{d.Ay.isCancel(t)||e.commit("API_FAILURE",t)})},getUser:(e,t)=>g.A.get((0,u.KT)(`cloud/users/${t}`)).catch(t=>{d.Ay.isCancel(t)||e.commit("API_FAILURE",t)}),getUsers(e,t){let{offset:r,limit:s,search:a,group:i}=t;return L&&L.cancel("Operation canceled by another search request."),L=_.source(),a="string"==typeof a?a:"",a=a.replace(/in:[^\s]+/g,"").trim(),i="string"==typeof i?i:"",""!==i?g.A.get((0,u.KT)("cloud/groups/{group}/users/details?offset={offset}&limit={limit}&search={search}",{group:encodeURIComponent(i),offset:r,limit:s,search:a}),{cancelToken:L.token}).then(t=>{const r=Object.keys(t.data.ocs.data.users).length;return r>0&&e.commit("appendUsers",t.data.ocs.data.users),r}).catch(t=>{d.Ay.isCancel(t)||e.commit("API_FAILURE",t)}):g.A.get((0,u.KT)("cloud/users/details?offset={offset}&limit={limit}&search={search}",{offset:r,limit:s,search:a}),{cancelToken:L.token}).then(t=>{const r=Object.keys(t.data.ocs.data.users).length;return r>0&&e.commit("appendUsers",t.data.ocs.data.users),r}).catch(t=>{d.Ay.isCancel(t)||e.commit("API_FAILURE",t)})},async getRecentUsers(e,t){let{offset:r,limit:s,search:a}=t;const i=(0,u.KT)("cloud/users/recent?offset={offset}&limit={limit}&search={search}",{offset:r,limit:s,search:a});try{const t=await g.A.get(i),r=Object.keys(t.data.ocs.data.users).length;return r>0&&e.commit("appendUsers",t.data.ocs.data.users),r}catch(t){e.commit("API_FAILURE",t)}},async getDisabledUsers(e,t){let{offset:r,limit:s,search:a}=t;const i=(0,u.KT)("cloud/users/disabled?offset={offset}&limit={limit}&search={search}",{offset:r,limit:s,search:a});try{const t=await g.A.get(i),r=Object.keys(t.data.ocs.data.users).length;return r>0&&(e.commit("appendUsers",t.data.ocs.data.users),e.commit("updateDisabledUsers",t.data.ocs.data.users)),r}catch(t){e.commit("API_FAILURE",t)}},getGroups(e,t){let{offset:r,limit:s,search:a}=t;a="string"==typeof a?a:"";const i=-1===s?"":`&limit=${s}`;return g.A.get((0,u.KT)("cloud/groups?offset={offset}&search={search}",{offset:r,search:a})+i).then(t=>Object.keys(t.data.ocs.data.groups).length>0&&(t.data.ocs.data.groups.forEach(function(t){e.commit("addGroup",{id:t,name:t})}),!0)).catch(t=>e.commit("API_FAILURE",t))},getUsersFromList(e,t){let{offset:r,limit:s,search:a}=t;return a="string"==typeof a?a:"",g.A.get((0,u.KT)("cloud/users/details?offset={offset}&limit={limit}&search={search}",{offset:r,limit:s,search:a})).then(t=>Object.keys(t.data.ocs.data.users).length>0&&(e.commit("appendUsers",t.data.ocs.data.users),!0)).catch(t=>e.commit("API_FAILURE",t))},getUsersFromGroup(e,t){let{groupid:r,offset:s,limit:a}=t;return g.A.get((0,u.KT)("cloud/users/{groupId}/details?offset={offset}&limit={limit}",{groupId:encodeURIComponent(r),offset:s,limit:a})).then(t=>e.commit("getUsersFromList",t.data.ocs.data.users)).catch(t=>e.commit("API_FAILURE",t))},getPasswordPolicyMinLength:e=>!(!(0,o.F)().password_policy||!(0,o.F)().password_policy.minLength)&&(e.commit("setPasswordPolicyMinLength",(0,o.F)().password_policy.minLength),(0,o.F)().password_policy.minLength),addGroup:(e,t)=>g.A.requireAdmin().then(r=>g.A.post((0,u.KT)("cloud/groups"),{groupid:t}).then(r=>(e.commit("addGroup",{id:t,name:t}),{gid:t,displayName:t})).catch(e=>{throw e})).catch(r=>{throw e.commit("API_FAILURE",{gid:t,error:r}),r}),renameGroup(e,t){let{groupid:r,displayName:s}=t;return g.A.requireAdmin().then(t=>g.A.put((0,u.KT)("cloud/groups/{groupId}",{groupId:encodeURIComponent(r)}),{key:"displayname",value:s}).then(t=>(e.commit("renameGroup",{gid:r,displayName:s}),{groupid:r,displayName:s})).catch(e=>{throw e})).catch(t=>{throw e.commit("API_FAILURE",{groupid:r,error:t}),t})},removeGroup:(e,t)=>g.A.requireAdmin().then(r=>g.A.delete((0,u.KT)("cloud/groups/{groupId}",{groupId:encodeURIComponent(t)})).then(r=>e.commit("removeGroup",t)).catch(e=>{throw e})).catch(r=>e.commit("API_FAILURE",{gid:t,error:r})),addUserGroup(e,t){let{userid:r,gid:s}=t;return g.A.requireAdmin().then(t=>g.A.post((0,u.KT)("cloud/users/{userid}/groups",{userid:r}),{groupid:s}).then(t=>e.commit("addUserGroup",{userid:r,gid:s})).catch(e=>{throw e})).catch(t=>e.commit("API_FAILURE",{userid:r,error:t}))},removeUserGroup(e,t){let{userid:r,gid:s}=t;return g.A.requireAdmin().then(t=>g.A.delete((0,u.KT)("cloud/users/{userid}/groups",{userid:r}),{groupid:s}).then(t=>e.commit("removeUserGroup",{userid:r,gid:s})).catch(e=>{throw e})).catch(t=>{throw e.commit("API_FAILURE",{userid:r,error:t}),t})},addUserSubAdmin(e,t){let{userid:r,gid:s}=t;return g.A.requireAdmin().then(t=>g.A.post((0,u.KT)("cloud/users/{userid}/subadmins",{userid:r}),{groupid:s}).then(t=>e.commit("addUserSubAdmin",{userid:r,gid:s})).catch(e=>{throw e})).catch(t=>e.commit("API_FAILURE",{userid:r,error:t}))},removeUserSubAdmin(e,t){let{userid:r,gid:s}=t;return g.A.requireAdmin().then(t=>g.A.delete((0,u.KT)("cloud/users/{userid}/subadmins",{userid:r}),{groupid:s}).then(t=>e.commit("removeUserSubAdmin",{userid:r,gid:s})).catch(e=>{throw e})).catch(t=>e.commit("API_FAILURE",{userid:r,error:t}))},async wipeUserDevices(e,t){try{return await g.A.requireAdmin(),await g.A.post((0,u.KT)("cloud/users/{userid}/wipe",{userid:t}))}catch(r){return e.commit("API_FAILURE",{userid:t,error:r}),Promise.reject(new Error("Failed to wipe user devices"))}},deleteUser:(e,t)=>g.A.requireAdmin().then(r=>g.A.delete((0,u.KT)("cloud/users/{userid}",{userid:t})).then(r=>e.commit("deleteUser",t)).catch(e=>{throw e})).catch(r=>e.commit("API_FAILURE",{userid:t,error:r})),addUser(e,t){let{commit:r,dispatch:s}=e,{userid:a,password:i,displayName:o,email:n,groups:c,subadmin:l,quota:d,language:p,manager:m}=t;return g.A.requireAdmin().then(e=>g.A.post((0,u.KT)("cloud/users"),{userid:a,password:i,displayName:o,email:n,groups:c,subadmin:l,quota:d,language:p,manager:m}).then(e=>s("addUserData",a||e.data.ocs.data.id)).catch(e=>{throw e})).catch(e=>{throw r("API_FAILURE",{userid:a,error:e}),e})},addUserData:(e,t)=>g.A.requireAdmin().then(r=>g.A.get((0,u.KT)("cloud/users/{userid}",{userid:t})).then(t=>e.commit("addUserData",t)).catch(e=>{throw e})).catch(r=>e.commit("API_FAILURE",{userid:t,error:r})),enableDisableUser(e,t){let{userid:r,enabled:s=!0}=t;const a=s?"enable":"disable";return g.A.requireAdmin().then(t=>g.A.put((0,u.KT)("cloud/users/{userid}/{userStatus}",{userid:r,userStatus:a})).then(t=>e.commit("enableDisableUser",{userid:r,enabled:s})).catch(e=>{throw e})).catch(t=>e.commit("API_FAILURE",{userid:r,error:t}))},async setUserData(e,t){let{userid:r,key:s,value:a}=t;if(!["email","language","quota","displayname","password","manager"].includes(s))throw new Error("Invalid request data");if(""===a&&!["email","displayname","manager"].includes(s))throw new Error("Value cannot be empty for this field");try{return await g.A.requireAdmin(),await g.A.put((0,u.KT)("cloud/users/{userid}",{userid:r}),{key:s,value:a}),e.commit("setUserData",{userid:r,key:s,value:a})}catch(t){throw e.commit("API_FAILURE",{userid:r,error:t}),t}},sendWelcomeMail:(e,t)=>g.A.requireAdmin().then(e=>g.A.post((0,u.KT)("cloud/users/{userid}/welcome",{userid:t})).then(e=>!0).catch(e=>{throw e})).catch(r=>e.commit("API_FAILURE",{userid:t,error:r}))}};var R=s(85471);const C={apps:[],bundles:(0,l.C)("settings","appstoreBundles",[]),categories:[],updateCount:(0,l.C)("settings","appstoreUpdateCount",0),loading:{},gettingCategoriesPromise:null,appApiEnabled:(0,l.C)("settings","appApiEnabled",!1)},v={APPS_API_FAILURE(e,r){(0,c.Qg)(t("settings","An error occurred during the request. Unable to proceed.")+" "+r.error.response.data.data.message,{isHTML:!0}),console.error(e,r)},initCategories(e,t){let{categories:r,updateCount:s}=t;e.categories=r,e.updateCount=s},updateCategories(e,t){e.gettingCategoriesPromise=t},setUpdateCount(e,t){e.updateCount=t},addCategory(e,t){e.categories.push(t)},appendCategories(e,t){e.categories=t},setAllApps(e,t){e.apps=t},setError(e,t){let{appId:r,error:s}=t;Array.isArray(r)||(r=[r]),r.forEach(t=>{e.apps.find(e=>e.id===t).error=s})},clearError(e,t){let{appId:r,error:s}=t;e.apps.find(e=>e.id===r).error=null},enableApp(e,t){let{appId:r,groups:s}=t;const a=e.apps.find(e=>e.id===r);a.active=!0,a.groups=s,"app_api"===a.id&&(e.appApiEnabled=!0)},setInstallState(e,t){let{appId:r,canInstall:s}=t;const a=e.apps.find(e=>e.id===r);a&&(a.canInstall=!0===s)},disableApp(e,t){const r=e.apps.find(e=>e.id===t);r.active=!1,r.groups=[],r.removable&&(r.canUnInstall=!0),"app_api"===r.id&&(e.appApiEnabled=!1)},uninstallApp(e,t){e.apps.find(e=>e.id===t).active=!1,e.apps.find(e=>e.id===t).groups=[],e.apps.find(e=>e.id===t).needsDownload=!0,e.apps.find(e=>e.id===t).installed=!1,e.apps.find(e=>e.id===t).canUnInstall=!1,e.apps.find(e=>e.id===t).canInstall=!0,"app_api"===t&&(e.appApiEnabled=!1)},updateApp(e,t){const r=e.apps.find(e=>e.id===t),s=r.update;r.update=null,r.version=s,e.updateCount--},resetApps(e){e.apps=[]},reset(e){e.apps=[],e.categories=[],e.updateCount=0},startLoading(e,t){Array.isArray(t)?t.forEach(t=>{R.Ay.set(e.loading,t,!0)}):R.Ay.set(e.loading,t,!0)},stopLoading(e,t){Array.isArray(t)?t.forEach(t=>{R.Ay.set(e.loading,t,!1)}):R.Ay.set(e.loading,t,!1)}},y={enableApp(e,r){let s,{appId:a,groups:i}=r;return s=Array.isArray(a)?a:[a],g.A.requireAdmin().then(r=>(e.commit("startLoading",s),e.commit("startLoading","install"),g.A.post((0,u.Jv)("settings/apps/enable"),{appIds:s,groups:i}).then(r=>(e.commit("stopLoading",s),e.commit("stopLoading","install"),s.forEach(t=>{e.commit("enableApp",{appId:t,groups:i})}),d.Ay.get((0,u.Jv)("apps/files/")).then(()=>{r.data.update_required&&((0,c.cf)(t("settings","The app has been enabled but needs to be updated. You will be redirected to the update page in 5 seconds."),{onClick:()=>window.location.reload(),close:!1}),setTimeout(function(){location.reload()},5e3))}).catch(()=>{Array.isArray(a)||((0,c.Qg)(t("settings","Error: This app cannot be enabled because it makes the server unstable")),e.commit("setError",{appId:s,error:t("settings","Error: This app cannot be enabled because it makes the server unstable")}),e.dispatch("disableApp",{appId:a}))}))).catch(t=>{e.commit("stopLoading",s),e.commit("stopLoading","install"),e.commit("setError",{appId:s,error:t.response.data.data.message}),e.commit("APPS_API_FAILURE",{appId:a,error:t})}))).catch(t=>e.commit("API_FAILURE",{appId:a,error:t}))},forceEnableApp(e,t){let r,{appId:s,groups:a}=t;return r=Array.isArray(s)?s:[s],g.A.requireAdmin().then(()=>(e.commit("startLoading",r),e.commit("startLoading","install"),g.A.post((0,u.Jv)("settings/apps/force"),{appId:s}).then(t=>{e.commit("setInstallState",{appId:s,canInstall:!0})}).catch(t=>{e.commit("stopLoading",r),e.commit("stopLoading","install"),e.commit("setError",{appId:r,error:t.response.data.data.message}),e.commit("APPS_API_FAILURE",{appId:s,error:t})}).finally(()=>{e.commit("stopLoading",r),e.commit("stopLoading","install")}))).catch(t=>e.commit("API_FAILURE",{appId:s,error:t}))},disableApp(e,t){let r,{appId:s}=t;return r=Array.isArray(s)?s:[s],g.A.requireAdmin().then(t=>(e.commit("startLoading",r),g.A.post((0,u.Jv)("settings/apps/disable"),{appIds:r}).then(t=>(e.commit("stopLoading",r),r.forEach(t=>{e.commit("disableApp",t)}),!0)).catch(t=>{e.commit("stopLoading",r),e.commit("APPS_API_FAILURE",{appId:s,error:t})}))).catch(t=>e.commit("API_FAILURE",{appId:s,error:t}))},uninstallApp(e,t){let{appId:r}=t;return g.A.requireAdmin().then(t=>(e.commit("startLoading",r),g.A.get((0,u.Jv)(`settings/apps/uninstall/${r}`)).then(t=>(e.commit("stopLoading",r),e.commit("uninstallApp",r),!0)).catch(t=>{e.commit("stopLoading",r),e.commit("APPS_API_FAILURE",{appId:r,error:t})}))).catch(t=>e.commit("API_FAILURE",{appId:r,error:t}))},updateApp(e,t){let{appId:r}=t;return g.A.requireAdmin().then(t=>(e.commit("startLoading",r),e.commit("startLoading","install"),g.A.get((0,u.Jv)(`settings/apps/update/${r}`)).then(t=>(e.commit("stopLoading","install"),e.commit("stopLoading",r),e.commit("updateApp",r),!0)).catch(t=>{e.commit("stopLoading",r),e.commit("stopLoading","install"),e.commit("APPS_API_FAILURE",{appId:r,error:t})}))).catch(t=>e.commit("API_FAILURE",{appId:r,error:t}))},getAllApps:e=>(e.commit("startLoading","list"),g.A.get((0,u.Jv)("settings/apps/list")).then(t=>(e.commit("setAllApps",t.data.apps),e.commit("stopLoading","list"),!0)).catch(t=>e.commit("API_FAILURE",t))),async getCategories(e){let{shouldRefetchCategories:t=!1}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};if(t||!e.state.gettingCategoriesPromise){e.commit("startLoading","categories");try{const t=g.A.get((0,u.Jv)("settings/apps/categories"));e.commit("updateCategories",t);const r=await t;return r.data.length>0?(e.commit("appendCategories",r.data),e.commit("stopLoading","categories"),!0):(e.commit("stopLoading","categories"),!1)}catch(t){e.commit("API_FAILURE",t)}}return e.state.gettingCategoriesPromise}},U={state:C,mutations:v,getters:{isAppApiEnabled:e=>e.appApiEnabled,loading:e=>function(t){return e.loading[t]},getCategories:e=>e.categories,getAllApps:e=>e.apps,getAppBundles:e=>e.bundles,getUpdateCount:e=>e.updateCount,getCategoryById:e=>t=>e.categories.find(e=>e.id===t)},actions:y},D={serverData:(0,l.C)("settings","usersSettings",{})},P={setServerData(e,t){e.serverData=t}},S={state:D,mutations:P,getters:{getServerData:e=>e.serverData},actions:{}},F={state:{},mutations:{},getters:{},actions:{setAppConfig(e,t){let{app:r,key:s,value:a}=t;return g.A.requireAdmin().then(e=>g.A.post((0,u.KT)("apps/provisioning_api/api/v1/config/apps/{app}/{key}",{app:r,key:s}),{value:a}).catch(e=>{throw e})).catch(t=>e.commit("API_FAILURE",{app:r,key:s,value:a,error:t}))}}},w={API_FAILURE(e,r){try{const e=r.error.response.data.ocs.meta.message;(0,c.Qg)(t("settings","An error occurred during the request. Unable to proceed.")+" "+e,{isHTML:!0})}catch(e){(0,c.Qg)(t("settings","An error occurred during the request. Unable to proceed."))}console.error(e,r)}};let G=null;const $=()=>(null===G&&(G=new a.il({modules:{users:O,apps:U,settings:S,oc:F},strict:!1,mutations:w})),G)},15916:(e,t,r)=>{"use strict";var s;r.d(t,{q:()=>s}),function(e){e[e.UserCount=1]="UserCount",e[e.GroupName=2]="GroupName"}(s||(s={}))},35810:(e,t,r)=>{"use strict";r.d(t,{Al:()=>n.r,H4:()=>n.c,KT:()=>F,Q$:()=>n.e,R3:()=>n.n,VL:()=>n.l,di:()=>S,lJ:()=>n.d,lT:()=>M,nF:()=>P,pt:()=>n.F,ur:()=>x,v7:()=>$});var s,a,i,o,n=r(68896),c=r(380),u=r(83141),l=r(87485),d=(r(43627),r(53334)),p=r(65606),m=r(62045).hp;function E(){if(a)return s;a=1;const e="object"==typeof p&&p.env&&p.env.NODE_DEBUG&&/\bsemver\b/i.test(p.env.NODE_DEBUG)?(...e)=>console.error("SEMVER",...e):()=>{};return s=e}function g(){if(o)return i;o=1;const e=Number.MAX_SAFE_INTEGER||9007199254740991;return i={MAX_LENGTH:256,MAX_SAFE_COMPONENT_LENGTH:16,MAX_SAFE_BUILD_LENGTH:250,MAX_SAFE_INTEGER:e,RELEASE_TYPES:["major","premajor","minor","preminor","patch","prepatch","prerelease"],SEMVER_SPEC_VERSION:"2.0.0",FLAG_INCLUDE_PRERELEASE:1,FLAG_LOOSE:2}}var h,f,A,I,T,N,b,_,L,O,R,C,v,y={exports:{}};function U(){if(b)return N;b=1;const e=E(),{MAX_LENGTH:t,MAX_SAFE_INTEGER:r}=g(),{safeRe:s,t:a}=(h||(h=1,function(e,t){const{MAX_SAFE_COMPONENT_LENGTH:r,MAX_SAFE_BUILD_LENGTH:s,MAX_LENGTH:a}=g(),i=E(),o=(t=e.exports={}).re=[],n=t.safeRe=[],c=t.src=[],u=t.t={};let l=0;const d="[a-zA-Z0-9-]",p=[["\\s",1],["\\d",a],[d,s]],m=(e,t,r)=>{const s=(e=>{for(const[t,r]of p)e=e.split(`${t}*`).join(`${t}{0,${r}}`).split(`${t}+`).join(`${t}{1,${r}}`);return e})(t),a=l++;i(e,a,t),u[e]=a,c[a]=t,o[a]=new RegExp(t,r?"g":void 0),n[a]=new RegExp(s,r?"g":void 0)};m("NUMERICIDENTIFIER","0|[1-9]\\d*"),m("NUMERICIDENTIFIERLOOSE","\\d+"),m("NONNUMERICIDENTIFIER",`\\d*[a-zA-Z-]${d}*`),m("MAINVERSION",`(${c[u.NUMERICIDENTIFIER]})\\.(${c[u.NUMERICIDENTIFIER]})\\.(${c[u.NUMERICIDENTIFIER]})`),m("MAINVERSIONLOOSE",`(${c[u.NUMERICIDENTIFIERLOOSE]})\\.(${c[u.NUMERICIDENTIFIERLOOSE]})\\.(${c[u.NUMERICIDENTIFIERLOOSE]})`),m("PRERELEASEIDENTIFIER",`(?:${c[u.NUMERICIDENTIFIER]}|${c[u.NONNUMERICIDENTIFIER]})`),m("PRERELEASEIDENTIFIERLOOSE",`(?:${c[u.NUMERICIDENTIFIERLOOSE]}|${c[u.NONNUMERICIDENTIFIER]})`),m("PRERELEASE",`(?:-(${c[u.PRERELEASEIDENTIFIER]}(?:\\.${c[u.PRERELEASEIDENTIFIER]})*))`),m("PRERELEASELOOSE",`(?:-?(${c[u.PRERELEASEIDENTIFIERLOOSE]}(?:\\.${c[u.PRERELEASEIDENTIFIERLOOSE]})*))`),m("BUILDIDENTIFIER",`${d}+`),m("BUILD",`(?:\\+(${c[u.BUILDIDENTIFIER]}(?:\\.${c[u.BUILDIDENTIFIER]})*))`),m("FULLPLAIN",`v?${c[u.MAINVERSION]}${c[u.PRERELEASE]}?${c[u.BUILD]}?`),m("FULL",`^${c[u.FULLPLAIN]}$`),m("LOOSEPLAIN",`[v=\\s]*${c[u.MAINVERSIONLOOSE]}${c[u.PRERELEASELOOSE]}?${c[u.BUILD]}?`),m("LOOSE",`^${c[u.LOOSEPLAIN]}$`),m("GTLT","((?:<|>)?=?)"),m("XRANGEIDENTIFIERLOOSE",`${c[u.NUMERICIDENTIFIERLOOSE]}|x|X|\\*`),m("XRANGEIDENTIFIER",`${c[u.NUMERICIDENTIFIER]}|x|X|\\*`),m("XRANGEPLAIN",`[v=\\s]*(${c[u.XRANGEIDENTIFIER]})(?:\\.(${c[u.XRANGEIDENTIFIER]})(?:\\.(${c[u.XRANGEIDENTIFIER]})(?:${c[u.PRERELEASE]})?${c[u.BUILD]}?)?)?`),m("XRANGEPLAINLOOSE",`[v=\\s]*(${c[u.XRANGEIDENTIFIERLOOSE]})(?:\\.(${c[u.XRANGEIDENTIFIERLOOSE]})(?:\\.(${c[u.XRANGEIDENTIFIERLOOSE]})(?:${c[u.PRERELEASELOOSE]})?${c[u.BUILD]}?)?)?`),m("XRANGE",`^${c[u.GTLT]}\\s*${c[u.XRANGEPLAIN]}$`),m("XRANGELOOSE",`^${c[u.GTLT]}\\s*${c[u.XRANGEPLAINLOOSE]}$`),m("COERCEPLAIN",`(^|[^\\d])(\\d{1,${r}})(?:\\.(\\d{1,${r}}))?(?:\\.(\\d{1,${r}}))?`),m("COERCE",`${c[u.COERCEPLAIN]}(?:$|[^\\d])`),m("COERCEFULL",c[u.COERCEPLAIN]+`(?:${c[u.PRERELEASE]})?(?:${c[u.BUILD]})?(?:$|[^\\d])`),m("COERCERTL",c[u.COERCE],!0),m("COERCERTLFULL",c[u.COERCEFULL],!0),m("LONETILDE","(?:~>?)"),m("TILDETRIM",`(\\s*)${c[u.LONETILDE]}\\s+`,!0),t.tildeTrimReplace="$1~",m("TILDE",`^${c[u.LONETILDE]}${c[u.XRANGEPLAIN]}$`),m("TILDELOOSE",`^${c[u.LONETILDE]}${c[u.XRANGEPLAINLOOSE]}$`),m("LONECARET","(?:\\^)"),m("CARETTRIM",`(\\s*)${c[u.LONECARET]}\\s+`,!0),t.caretTrimReplace="$1^",m("CARET",`^${c[u.LONECARET]}${c[u.XRANGEPLAIN]}$`),m("CARETLOOSE",`^${c[u.LONECARET]}${c[u.XRANGEPLAINLOOSE]}$`),m("COMPARATORLOOSE",`^${c[u.GTLT]}\\s*(${c[u.LOOSEPLAIN]})$|^$`),m("COMPARATOR",`^${c[u.GTLT]}\\s*(${c[u.FULLPLAIN]})$|^$`),m("COMPARATORTRIM",`(\\s*)${c[u.GTLT]}\\s*(${c[u.LOOSEPLAIN]}|${c[u.XRANGEPLAIN]})`,!0),t.comparatorTrimReplace="$1$2$3",m("HYPHENRANGE",`^\\s*(${c[u.XRANGEPLAIN]})\\s+-\\s+(${c[u.XRANGEPLAIN]})\\s*$`),m("HYPHENRANGELOOSE",`^\\s*(${c[u.XRANGEPLAINLOOSE]})\\s+-\\s+(${c[u.XRANGEPLAINLOOSE]})\\s*$`),m("STAR","(<|>)?=?\\s*\\*"),m("GTE0","^\\s*>=\\s*0\\.0\\.0\\s*$"),m("GTE0PRE","^\\s*>=\\s*0\\.0\\.0-0\\s*$")}(y,y.exports)),y.exports),i=function(){if(A)return f;A=1;const e=Object.freeze({loose:!0}),t=Object.freeze({});return f=r=>r?"object"!=typeof r?e:r:t}(),{compareIdentifiers:o}=function(){if(T)return I;T=1;const e=/^[0-9]+$/,t=(t,r)=>{const s=e.test(t),a=e.test(r);return s&&a&&(t=+t,r=+r),t===r?0:s&&!a?-1:a&&!s?1:tt(r,e)}}();class n{constructor(o,c){if(c=i(c),o instanceof n){if(o.loose===!!c.loose&&o.includePrerelease===!!c.includePrerelease)return o;o=o.version}else if("string"!=typeof o)throw new TypeError(`Invalid version. Must be a string. Got type "${typeof o}".`);if(o.length>t)throw new TypeError(`version is longer than ${t} characters`);e("SemVer",o,c),this.options=c,this.loose=!!c.loose,this.includePrerelease=!!c.includePrerelease;const u=o.trim().match(c.loose?s[a.LOOSE]:s[a.FULL]);if(!u)throw new TypeError(`Invalid Version: ${o}`);if(this.raw=o,this.major=+u[1],this.minor=+u[2],this.patch=+u[3],this.major>r||this.major<0)throw new TypeError("Invalid major version");if(this.minor>r||this.minor<0)throw new TypeError("Invalid minor version");if(this.patch>r||this.patch<0)throw new TypeError("Invalid patch version");u[4]?this.prerelease=u[4].split(".").map(e=>{if(/^[0-9]+$/.test(e)){const t=+e;if(t>=0&&t=0;)"number"==typeof this.prerelease[s]&&(this.prerelease[s]++,s=-2);if(-1===s){if(t===this.prerelease.join(".")&&!1===r)throw new Error("invalid increment argument: identifier already exists");this.prerelease.push(e)}}if(t){let s=[t,e];!1===r&&(s=[t]),0===o(this.prerelease[0],t)?isNaN(this.prerelease[1])&&(this.prerelease=s):this.prerelease=s}break}default:throw new Error(`invalid increment argument: ${e}`)}return this.raw=this.format(),this.build.length&&(this.raw+=`+${this.build.join(".")}`),this}}return N=n}!function(){if(R)return O;R=1;const e=function(){if(L)return _;L=1;const e=U();return _=(t,r,s=!1)=>{if(t instanceof e)return t;try{return new e(t,r)}catch(e){if(!s)return null;throw e}}}();O=(t,r)=>{const s=e(t,r);return s?s.version:null}}(),function(){if(v)return C;v=1;const e=U();C=(t,r)=>new e(t,r).major}(),c.m;var D;D||(D=1,function(e){e.parser=function(e,t){return new s(e,t)},e.SAXParser=s,e.SAXStream=i,e.createStream=function(e,t){return new i(e,t)},e.MAX_BUFFER_LENGTH=65536;var t,r=["comment","sgmlDecl","textNode","tagName","doctype","procInstName","procInstBody","entity","attribName","attribValue","cdata","script"];function s(t,a){if(!(this instanceof s))return new s(t,a);var i=this;!function(e){for(var t=0,s=r.length;t"===i?(v(s,"onsgmldeclaration",s.sgmlDecl),s.sgmlDecl="",s.state=O.TEXT):A(i)?(s.state=O.SGML_DECL_QUOTED,s.sgmlDecl+=i):s.sgmlDecl+=i;continue;case O.SGML_DECL_QUOTED:i===s.q&&(s.state=O.SGML_DECL,s.q=""),s.sgmlDecl+=i;continue;case O.DOCTYPE:">"===i?(s.state=O.TEXT,v(s,"ondoctype",s.doctype),s.doctype=!0):(s.doctype+=i,"["===i?s.state=O.DOCTYPE_DTD:A(i)&&(s.state=O.DOCTYPE_QUOTED,s.q=i));continue;case O.DOCTYPE_QUOTED:s.doctype+=i,i===s.q&&(s.q="",s.state=O.DOCTYPE);continue;case O.DOCTYPE_DTD:"]"===i?(s.doctype+=i,s.state=O.DOCTYPE):"<"===i?(s.state=O.OPEN_WAKA,s.startTagPosition=s.position):A(i)?(s.doctype+=i,s.state=O.DOCTYPE_DTD_QUOTED,s.q=i):s.doctype+=i;continue;case O.DOCTYPE_DTD_QUOTED:s.doctype+=i,i===s.q&&(s.state=O.DOCTYPE_DTD,s.q="");continue;case O.COMMENT:"-"===i?s.state=O.COMMENT_ENDING:s.comment+=i;continue;case O.COMMENT_ENDING:"-"===i?(s.state=O.COMMENT_ENDED,s.comment=U(s.opt,s.comment),s.comment&&v(s,"oncomment",s.comment),s.comment=""):(s.comment+="-"+i,s.state=O.COMMENT);continue;case O.COMMENT_ENDED:">"!==i?(S(s,"Malformed comment"),s.comment+="--"+i,s.state=O.COMMENT):s.doctype&&!0!==s.doctype?s.state=O.DOCTYPE_DTD:s.state=O.TEXT;continue;case O.CDATA:"]"===i?s.state=O.CDATA_ENDING:s.cdata+=i;continue;case O.CDATA_ENDING:"]"===i?s.state=O.CDATA_ENDING_2:(s.cdata+="]"+i,s.state=O.CDATA);continue;case O.CDATA_ENDING_2:">"===i?(s.cdata&&v(s,"oncdata",s.cdata),v(s,"onclosecdata"),s.cdata="",s.state=O.TEXT):"]"===i?s.cdata+="]":(s.cdata+="]]"+i,s.state=O.CDATA);continue;case O.PROC_INST:"?"===i?s.state=O.PROC_INST_ENDING:f(i)?s.state=O.PROC_INST_BODY:s.procInstName+=i;continue;case O.PROC_INST_BODY:if(!s.procInstBody&&f(i))continue;"?"===i?s.state=O.PROC_INST_ENDING:s.procInstBody+=i;continue;case O.PROC_INST_ENDING:">"===i?(v(s,"onprocessinginstruction",{name:s.procInstName,body:s.procInstBody}),s.procInstName=s.procInstBody="",s.state=O.TEXT):(s.procInstBody+="?"+i,s.state=O.PROC_INST_BODY);continue;case O.OPEN_TAG:T(E,i)?s.tagName+=i:(F(s),">"===i?$(s):"/"===i?s.state=O.OPEN_TAG_SLASH:(f(i)||S(s,"Invalid character in tag name"),s.state=O.ATTRIB));continue;case O.OPEN_TAG_SLASH:">"===i?($(s,!0),M(s)):(S(s,"Forward-slash in opening tag not followed by >"),s.state=O.ATTRIB);continue;case O.ATTRIB:if(f(i))continue;">"===i?$(s):"/"===i?s.state=O.OPEN_TAG_SLASH:T(p,i)?(s.attribName=i,s.attribValue="",s.state=O.ATTRIB_NAME):S(s,"Invalid attribute name");continue;case O.ATTRIB_NAME:"="===i?s.state=O.ATTRIB_VALUE:">"===i?(S(s,"Attribute without value"),s.attribValue=s.attribName,G(s),$(s)):f(i)?s.state=O.ATTRIB_NAME_SAW_WHITE:T(E,i)?s.attribName+=i:S(s,"Invalid attribute name");continue;case O.ATTRIB_NAME_SAW_WHITE:if("="===i)s.state=O.ATTRIB_VALUE;else{if(f(i))continue;S(s,"Attribute without value"),s.tag.attributes[s.attribName]="",s.attribValue="",v(s,"onattribute",{name:s.attribName,value:""}),s.attribName="",">"===i?$(s):T(p,i)?(s.attribName=i,s.state=O.ATTRIB_NAME):(S(s,"Invalid attribute name"),s.state=O.ATTRIB)}continue;case O.ATTRIB_VALUE:if(f(i))continue;A(i)?(s.q=i,s.state=O.ATTRIB_VALUE_QUOTED):(s.opt.unquotedAttributeValues||D(s,"Unquoted attribute value"),s.state=O.ATTRIB_VALUE_UNQUOTED,s.attribValue=i);continue;case O.ATTRIB_VALUE_QUOTED:if(i!==s.q){"&"===i?s.state=O.ATTRIB_VALUE_ENTITY_Q:s.attribValue+=i;continue}G(s),s.q="",s.state=O.ATTRIB_VALUE_CLOSED;continue;case O.ATTRIB_VALUE_CLOSED:f(i)?s.state=O.ATTRIB:">"===i?$(s):"/"===i?s.state=O.OPEN_TAG_SLASH:T(p,i)?(S(s,"No whitespace between attributes"),s.attribName=i,s.attribValue="",s.state=O.ATTRIB_NAME):S(s,"Invalid attribute name");continue;case O.ATTRIB_VALUE_UNQUOTED:if(!I(i)){"&"===i?s.state=O.ATTRIB_VALUE_ENTITY_U:s.attribValue+=i;continue}G(s),">"===i?$(s):s.state=O.ATTRIB;continue;case O.CLOSE_TAG:if(s.tagName)">"===i?M(s):T(E,i)?s.tagName+=i:s.script?(s.script+=""+s.tagName,s.tagName="",s.state=O.SCRIPT):(f(i)||S(s,"Invalid tagname in closing tag"),s.state=O.CLOSE_TAG_SAW_WHITE);else{if(f(i))continue;N(p,i)?s.script?(s.script+=""+i,s.state=O.SCRIPT):S(s,"Invalid tagname in closing tag."):s.tagName=i}continue;case O.CLOSE_TAG_SAW_WHITE:if(f(i))continue;">"===i?M(s):S(s,"Invalid characters in closing tag");continue;case O.TEXT_ENTITY:case O.ATTRIB_VALUE_ENTITY_Q:case O.ATTRIB_VALUE_ENTITY_U:var l,d;switch(s.state){case O.TEXT_ENTITY:l=O.TEXT,d="textNode";break;case O.ATTRIB_VALUE_ENTITY_Q:l=O.ATTRIB_VALUE_QUOTED,d="attribValue";break;case O.ATTRIB_VALUE_ENTITY_U:l=O.ATTRIB_VALUE_UNQUOTED,d="attribValue"}if(";"===i){var m=B(s);s.opt.unparsedEntities&&!Object.values(e.XML_ENTITIES).includes(m)?(s.entity="",s.state=l,s.write(m)):(s[d]+=m,s.entity="",s.state=l)}else T(s.entity.length?h:g,i)?s.entity+=i:(S(s,"Invalid character in entity name"),s[d]+="&"+s.entity+i,s.entity="",s.state=l);continue;default:throw new Error(s,"Unknown state: "+s.state)}return s.position>=s.bufferCheckPosition&&function(t){for(var s=Math.max(e.MAX_BUFFER_LENGTH,10),a=0,i=0,o=r.length;is)switch(r[i]){case"textNode":y(t);break;case"cdata":v(t,"oncdata",t.cdata),t.cdata="";break;case"script":v(t,"onscript",t.script),t.script="";break;default:D(t,"Max buffer length exceeded: "+r[i])}a=Math.max(a,n)}var c=e.MAX_BUFFER_LENGTH-a;t.bufferCheckPosition=c+t.position}(s),s},resume:function(){return this.error=null,this},close:function(){return this.write(null)},flush:function(){var e;y(e=this),""!==e.cdata&&(v(e,"oncdata",e.cdata),e.cdata=""),""!==e.script&&(v(e,"onscript",e.script),e.script="")}};try{t=require("stream").Stream}catch(e){t=function(){}}t||(t=function(){});var a=e.EVENTS.filter(function(e){return"error"!==e&&"end"!==e});function i(e,r){if(!(this instanceof i))return new i(e,r);t.apply(this),this._parser=new s(e,r),this.writable=!0,this.readable=!0;var o=this;this._parser.onend=function(){o.emit("end")},this._parser.onerror=function(e){o.emit("error",e),o._parser.error=null},this._decoder=null,a.forEach(function(e){Object.defineProperty(o,"on"+e,{get:function(){return o._parser["on"+e]},set:function(t){if(!t)return o.removeAllListeners(e),o._parser["on"+e]=t,t;o.on(e,t)},enumerable:!0,configurable:!1})})}i.prototype=Object.create(t.prototype,{constructor:{value:i}}),i.prototype.write=function(e){if("function"==typeof m&&"function"==typeof m.isBuffer&&m.isBuffer(e)){if(!this._decoder){var t=u.I;this._decoder=new t("utf8")}e=this._decoder.write(e)}return this._parser.write(e.toString()),this.emit("data",e),!0},i.prototype.end=function(e){return e&&e.length&&this.write(e),this._parser.end(),!0},i.prototype.on=function(e,r){var s=this;return s._parser["on"+e]||-1===a.indexOf(e)||(s._parser["on"+e]=function(){var t=1===arguments.length?[arguments[0]]:Array.apply(null,arguments);t.splice(0,0,e),s.emit.apply(s,t)}),t.prototype.on.call(s,e,r)};var o="[CDATA[",n="DOCTYPE",c="http://www.w3.org/XML/1998/namespace",l="http://www.w3.org/2000/xmlns/",d={xml:c,xmlns:l},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]/,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\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 f(e){return" "===e||"\n"===e||"\r"===e||"\t"===e}function A(e){return'"'===e||"'"===e}function I(e){return">"===e||f(e)}function T(e,t){return e.test(t)}function N(e,t){return!T(e,t)}var b,_,L,O=0;for(var R in e.STATE={BEGIN:O++,BEGIN_WHITESPACE:O++,TEXT:O++,TEXT_ENTITY:O++,OPEN_WAKA:O++,SGML_DECL:O++,SGML_DECL_QUOTED:O++,DOCTYPE:O++,DOCTYPE_QUOTED:O++,DOCTYPE_DTD:O++,DOCTYPE_DTD_QUOTED:O++,COMMENT_STARTING:O++,COMMENT:O++,COMMENT_ENDING:O++,COMMENT_ENDED:O++,CDATA:O++,CDATA_ENDING:O++,CDATA_ENDING_2:O++,PROC_INST:O++,PROC_INST_BODY:O++,PROC_INST_ENDING:O++,OPEN_TAG:O++,OPEN_TAG_SLASH:O++,ATTRIB:O++,ATTRIB_NAME:O++,ATTRIB_NAME_SAW_WHITE:O++,ATTRIB_VALUE:O++,ATTRIB_VALUE_QUOTED:O++,ATTRIB_VALUE_CLOSED:O++,ATTRIB_VALUE_UNQUOTED:O++,ATTRIB_VALUE_ENTITY_Q:O++,ATTRIB_VALUE_ENTITY_U:O++,CLOSE_TAG:O++,CLOSE_TAG_SAW_WHITE:O++,SCRIPT:O++,SCRIPT_ENDING:O++},e.XML_ENTITIES={amp:"&",gt:">",lt:"<",quot:'"',apos:"'"},e.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(e.ENTITIES).forEach(function(t){var r=e.ENTITIES[t],s="number"==typeof r?String.fromCharCode(r):r;e.ENTITIES[t]=s}),e.STATE)e.STATE[e.STATE[R]]=R;function C(e,t,r){e[t]&&e[t](r)}function v(e,t,r){e.textNode&&y(e),C(e,t,r)}function y(e){e.textNode=U(e.opt,e.textNode),e.textNode&&C(e,"ontext",e.textNode),e.textNode=""}function U(e,t){return e.trim&&(t=t.trim()),e.normalize&&(t=t.replace(/\s+/g," ")),t}function D(e,t){return y(e),e.trackPosition&&(t+="\nLine: "+e.line+"\nColumn: "+e.column+"\nChar: "+e.c),t=new Error(t),e.error=t,C(e,"onerror",t),e}function P(e){return e.sawRoot&&!e.closedRoot&&S(e,"Unclosed root tag"),e.state!==O.BEGIN&&e.state!==O.BEGIN_WHITESPACE&&e.state!==O.TEXT&&D(e,"Unexpected end"),y(e),e.c="",e.closed=!0,C(e,"onend"),s.call(e,e.strict,e.opt),e}function S(e,t){if("object"!=typeof e||!(e instanceof s))throw new Error("bad call to strictFail");e.strict&&D(e,t)}function F(e){e.strict||(e.tagName=e.tagName[e.looseCase]());var t=e.tags[e.tags.length-1]||e,r=e.tag={name:e.tagName,attributes:{}};e.opt.xmlns&&(r.ns=t.ns),e.attribList.length=0,v(e,"onopentagstart",r)}function w(e,t){var r=e.indexOf(":")<0?["",e]:e.split(":"),s=r[0],a=r[1];return t&&"xmlns"===e&&(s="xmlns",a=""),{prefix:s,local:a}}function G(e){if(e.strict||(e.attribName=e.attribName[e.looseCase]()),-1!==e.attribList.indexOf(e.attribName)||e.tag.attributes.hasOwnProperty(e.attribName))e.attribName=e.attribValue="";else{if(e.opt.xmlns){var t=w(e.attribName,!0),r=t.prefix,s=t.local;if("xmlns"===r)if("xml"===s&&e.attribValue!==c)S(e,"xml: prefix must be bound to "+c+"\nActual: "+e.attribValue);else if("xmlns"===s&&e.attribValue!==l)S(e,"xmlns: prefix must be bound to "+l+"\nActual: "+e.attribValue);else{var a=e.tag,i=e.tags[e.tags.length-1]||e;a.ns===i.ns&&(a.ns=Object.create(i.ns)),a.ns[s]=e.attribValue}e.attribList.push([e.attribName,e.attribValue])}else e.tag.attributes[e.attribName]=e.attribValue,v(e,"onattribute",{name:e.attribName,value:e.attribValue});e.attribName=e.attribValue=""}}function $(e,t){if(e.opt.xmlns){var r=e.tag,s=w(e.tagName);r.prefix=s.prefix,r.local=s.local,r.uri=r.ns[s.prefix]||"",r.prefix&&!r.uri&&(S(e,"Unbound namespace prefix: "+JSON.stringify(e.tagName)),r.uri=s.prefix);var a=e.tags[e.tags.length-1]||e;r.ns&&a.ns!==r.ns&&Object.keys(r.ns).forEach(function(t){v(e,"onopennamespace",{prefix:t,uri:r.ns[t]})});for(var i=0,o=e.attribList.length;i",void(e.state=O.TEXT);if(e.script){if("script"!==e.tagName)return e.script+=""+e.tagName+">",e.tagName="",void(e.state=O.SCRIPT);v(e,"onscript",e.script),e.script=""}var t=e.tags.length,r=e.tagName;e.strict||(r=r[e.looseCase]());for(var s=r;t--&&e.tags[t].name!==s;)S(e,"Unexpected close tag");if(t<0)return S(e,"Unmatched closing tag: "+e.tagName),e.textNode+=""+e.tagName+">",void(e.state=O.TEXT);e.tagName=r;for(var a=e.tags.length;a-- >t;){var i=e.tag=e.tags.pop();e.tagName=e.tag.name,v(e,"onclosetag",e.tagName);var o={};for(var n in i.ns)o[n]=i.ns[n];var c=e.tags[e.tags.length-1]||e;e.opt.xmlns&&i.ns!==c.ns&&Object.keys(i.ns).forEach(function(t){var r=i.ns[t];v(e,"onclosenamespace",{prefix:t,uri:r})})}0===t&&(e.closedRoot=!0),e.tagName=e.attribValue=e.attribName="",e.attribList.length=0,e.state=O.TEXT}function B(e){var t,r=e.entity,s=r.toLowerCase(),a="";return e.ENTITIES[r]?e.ENTITIES[r]:e.ENTITIES[s]?e.ENTITIES[s]:("#"===(r=s).charAt(0)&&("x"===r.charAt(1)?(r=r.slice(2),a=(t=parseInt(r,16)).toString(16)):(r=r.slice(1),a=(t=parseInt(r,10)).toString(10))),r=r.replace(/^0+/,""),isNaN(t)||a.toLowerCase()!==r?(S(e,"Invalid character entity"),"&"+e.entity+";"):String.fromCodePoint(t))}function x(e,t){"<"===t?(e.state=O.OPEN_WAKA,e.startTagPosition=e.position):f(t)||(S(e,"Non-whitespace before first tag."),e.textNode=t,e.state=O.TEXT)}function k(e,t){var r="";return t1114111||_(o)!==o)throw RangeError("Invalid code point: "+o);o<=65535?r.push(o):(e=55296+((o-=65536)>>10),t=o%1024+56320,r.push(e,t)),(s+1===a||r.length>16384)&&(i+=b.apply(null,r),r.length=0)}return i},Object.defineProperty?Object.defineProperty(String,"fromCodePoint",{value:L,configurable:!0,writable:!0}):String.fromCodePoint=L)}({}));var P=(e=>(e.ReservedName="reserved name",e.Character="character",e.Extension="extension",e))(P||{});class S extends Error{constructor(e){super(`Invalid ${e.reason} '${e.segment}' in filename '${e.filename}'`,{cause:e})}get filename(){return this.cause.filename}get reason(){return this.cause.reason}get segment(){return this.cause.segment}}function F(e){const t=(0,l.F)().files,r=t.forbidden_filename_characters??window._oc_config?.forbidden_filenames_characters??["/","\\"];for(const t of r)if(e.includes(t))throw new S({segment:t,reason:"character",filename:e});if(e=e.toLocaleLowerCase(),(t.forbidden_filenames??[".htaccess"]).includes(e))throw new S({filename:e,segment:e,reason:"reserved name"});const s=e.indexOf(".",1),a=e.substring(0,-1===s?void 0:s);if((t.forbidden_filename_basenames??[]).includes(a))throw new S({filename:e,segment:a,reason:"reserved name"});const i=t.forbidden_filename_extensions??[".part",".filepart"];for(const t of i)if(e.length>t.length&&e.endsWith(t))throw new S({segment:t,reason:"extension",filename:e})}const w=["B","KB","MB","GB","TB","PB"],G=["B","KiB","MiB","GiB","TiB","PiB"];function $(e,t=!1,r=!1,s=!1){r=r&&!s,"string"==typeof e&&(e=Number(e));let a=e>0?Math.floor(Math.log(e)/Math.log(s?1e3:1024)):0;a=Math.min((r?G.length:w.length)-1,a);const i=r?G[a]:w[a];let o=(e/Math.pow(s?1e3:1024,a)).toFixed(1);return!0===t&&0===a?("0.0"!==o?"< 1 ":"0 ")+(r?G[1]:w[1]):(o=a<2?parseFloat(o).toFixed(0):parseFloat(o).toLocaleString((0,d.lO)()),o+" "+i)}function M(e,t=!1){try{e=`${e}`.toLocaleLowerCase().replaceAll(/\s+/g,"").replaceAll(",",".")}catch(e){return null}const r=e.match(/^([0-9]*(\.[0-9]*)?)([kmgtp]?)(i?)b?$/);if(null===r||"."===r[1]||""===r[1])return null;const s=`${r[1]}`,a="i"===r[4]||t?1024:1e3;return Math.round(Number.parseFloat(s)*a**{"":0,k:1,m:2,g:3,t:4,p:5,e:6}[r[3]])}function B(e){return e instanceof Date?e.toISOString():String(e)}function x(e,t={}){const r={sortingMode:"basename",sortingOrder:"asc",...t};return function(e,t,r){r=r??[];const s=(t=t??[e=>e]).map((e,t)=>"asc"===(r[t]??"asc")?1:-1),a=Intl.Collator([(0,d.Z0)(),(0,d.lO)()],{numeric:!0,usage:"sort"});return[...e].sort((e,r)=>{for(const[i,o]of t.entries()){const t=a.compare(B(o(e)),B(o(r)));if(0!==t)return t*s[i]}return 0})}(e,[...r.sortFavoritesFirst?[e=>1!==e.attributes?.favorite]:[],...r.sortFoldersFirst?[e=>"folder"!==e.type]:[],..."basename"!==r.sortingMode?[e=>e[r.sortingMode]??e.attributes[r.sortingMode]]:[],e=>{return(t=e.displayname||e.attributes?.displayname||e.basename||"").lastIndexOf(".")>0?t.slice(0,t.lastIndexOf(".")):t;var t},e=>e.basename],[...r.sortFavoritesFirst?["asc"]:[],...r.sortFoldersFirst?["asc"]:[],..."mtime"===r.sortingMode?["asc"===r.sortingOrder?"desc":"asc"]:[],..."mtime"!==r.sortingMode&&"basename"!==r.sortingMode?[r.sortingOrder]:[],r.sortingOrder,r.sortingOrder])}},36620:(e,t,r)=>{"use strict";r.d(t,{A:()=>s});const s=(0,r(35947).YK)().setApp("settings").detectUser().build()},58723:(e,t)=>{function r(e,t){var s={name:e.name,path:e.path,hash:e.hash,query:e.query,params:e.params,fullPath:e.fullPath,meta:e.meta};return t&&(s.from=r(t)),Object.freeze(s)}t.O=function(e,t,s){var a=(s||{}).moduleName||"route";e.registerModule(a,{namespaced:!0,state:r(t.currentRoute),mutations:{ROUTE_CHANGED:function(t,s){e.state[a]=r(s.to,s.from)}}});var i,o=!1,n=e.watch(function(e){return e[a]},function(e){var r=e.fullPath;r!==i&&(null!=i&&(o=!0,t.push(e)),i=r)},{sync:!0}),c=t.afterEach(function(t,r){o?o=!1:(i=t.fullPath,e.commit(a+"/ROUTE_CHANGED",{to:t,from:r}))});return function(){null!=c&&c(),null!=n&&n(),e.unregisterModule(a)}}}},i={};function o(e){var t=i[e];if(void 0!==t)return t.exports;var r=i[e]={id:e,loaded:!1,exports:{}};return a[e].call(r.exports,r,r.exports,o),r.loaded=!0,r.exports}o.m=a,e=[],o.O=(t,r,s,a)=>{if(!r){var i=1/0;for(l=0;l=a)&&Object.keys(o.O).every(e=>o.O[e](r[c]))?r.splice(c--,1):(n=!1,a0&&e[l-1][2]>a;l--)e[l]=e[l-1];e[l]=[r,s,a]},o.n=e=>{var t=e&&e.__esModule?()=>e.default:()=>e;return o.d(t,{a:t}),t},o.d=(e,t)=>{for(var r in t)o.o(t,r)&&!o.o(e,r)&&Object.defineProperty(e,r,{enumerable:!0,get:t[r]})},o.f={},o.e=e=>Promise.all(Object.keys(o.f).reduce((t,r)=>(o.f[r](e,t),t),[])),o.u=e=>(({3239:"settings-users",4529:"settings-apps-view"}[e]||e)+"-"+e+".js?v="+{23:"fffc10d99246554f9388",459:"a3061b21bb6a7066cab4",640:"d3d98600d88fd55c7b27",1023:"065dd010137a6981ce7c",3239:"c7b803a7a18140b04f94",4529:"6910c06a7199bc8dcb19",5771:"d141d1ad8187d99738b9",5810:"fc51f8aa95a9854d22fd",5862:"8bc76a21d9622c29e1a9",7471:"6423b9b898ffefeb7d1d",8474:"d060bb2e97b1499bd6b0",8737:"350f5f1e02ea90d51d63"}[e]),o.g=function(){if("object"==typeof globalThis)return globalThis;try{return this||new Function("return this")()}catch(e){if("object"==typeof window)return window}}(),o.o=(e,t)=>Object.prototype.hasOwnProperty.call(e,t),r={},s="nextcloud:",o.l=(e,t,a,i)=>{if(r[e])r[e].push(t);else{var n,c;if(void 0!==a)for(var u=document.getElementsByTagName("script"),l=0;l{n.onerror=n.onload=null,clearTimeout(m);var a=r[e];if(delete r[e],n.parentNode&&n.parentNode.removeChild(n),a&&a.forEach(e=>e(s)),t)return t(s)},m=setTimeout(p.bind(null,void 0,{type:"timeout",target:n}),12e4);n.onerror=p.bind(null,n.onerror),n.onload=p.bind(null,n.onload),c&&document.head.appendChild(n)}},o.r=e=>{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},o.nmd=e=>(e.paths=[],e.children||(e.children=[]),e),o.j=2689,(()=>{var e;o.g.importScripts&&(e=o.g.location+"");var t=o.g.document;if(!e&&t&&(t.currentScript&&"SCRIPT"===t.currentScript.tagName.toUpperCase()&&(e=t.currentScript.src),!e)){var r=t.getElementsByTagName("script");if(r.length)for(var s=r.length-1;s>-1&&(!e||!/^http(s?):/.test(e));)e=r[s--].src}if(!e)throw new Error("Automatic publicPath is not supported in this browser");e=e.replace(/^blob:/,"").replace(/#.*$/,"").replace(/\?.*$/,"").replace(/\/[^\/]+$/,"/"),o.p=e})(),(()=>{o.b=document.baseURI||self.location.href;var e={2689:0,5810:0};o.f.j=(t,r)=>{var s=o.o(e,t)?e[t]:void 0;if(0!==s)if(s)r.push(s[2]);else{var a=new Promise((r,a)=>s=e[t]=[r,a]);r.push(s[2]=a);var i=o.p+o.u(t),n=new Error;o.l(i,r=>{if(o.o(e,t)&&(0!==(s=e[t])&&(e[t]=void 0),s)){var a=r&&("load"===r.type?"missing":r.type),i=r&&r.target&&r.target.src;n.message="Loading chunk "+t+" failed.\n("+a+": "+i+")",n.name="ChunkLoadError",n.type=a,n.request=i,s[1](n)}},"chunk-"+t,t)}},o.O.j=t=>0===e[t];var t=(t,r)=>{var s,a,i=r[0],n=r[1],c=r[2],u=0;if(i.some(t=>0!==e[t])){for(s in n)o.o(n,s)&&(o.m[s]=n[s]);if(c)var l=c(o)}for(t&&t(r);uo(12836));n=o.O(n)})();
-//# sourceMappingURL=settings-vue-settings-apps-users-management.js.map?v=c50cd59d09d48e782442
\ No newline at end of file
+(()=>{var e,r,s,a={6028:(e,t,r)=>{"use strict";r.d(t,{A:()=>o});var s=r(65043),a=r(56760);r(51257);const i=function(e){return e.replace(/\/$/,"")},o={requireAdmin:()=>(0,a.C5)(),get:(e,t)=>s.Ay.get(i(e),t),post:(e,t)=>s.Ay.post(i(e),t),patch:(e,t)=>s.Ay.patch(i(e),t),put:(e,t)=>s.Ay.put(i(e),t),delete:(e,t)=>s.Ay.delete(i(e),{params:t})}},12836:(e,t,r)=>{"use strict";var s=r(85471),a=r(95353),i=r(80284),o=r(58723),n=r(53334),c=r(22378);const u=(0,s.pM)({__name:"SettingsApp",setup:e=>({__sfc:!0,NcContent:c.A})}),l=(0,r(14486).A)(u,function(){var e=this,t=e._self._c;return t(e._self._setupProxy.NcContent,{attrs:{"app-name":"settings"}},[t("router-view",{attrs:{name:"navigation"}}),e._v(" "),t("router-view"),e._v(" "),t("router-view",{attrs:{name:"sidebar"}})],1)},[],!1,null,null,null).exports;var d=r(40173),p=r(63814);const m=[{name:"users",path:"/:index(index.php/)?settings/users",components:{default:()=>Promise.all([r.e(4208),r.e(23),r.e(3239)]).then(r.bind(r,38527)),navigation:()=>Promise.all([r.e(4208),r.e(23),r.e(3239)]).then(r.bind(r,5409))},props:!0,children:[{path:":selectedGroup",name:"group"}]},{path:"/:index(index.php/)?settings/apps",name:"apps",redirect:{name:"apps-category",params:{category:(0,r(81222).C)("settings","appstoreEnabled",!0)?"discover":"installed"}},components:{default:()=>Promise.all([r.e(4208),r.e(23),r.e(4529)]).then(r.bind(r,96147)),navigation:()=>Promise.all([r.e(4208),r.e(23),r.e(4529)]).then(r.bind(r,78451)),sidebar:()=>Promise.all([r.e(4208),r.e(23),r.e(4529)]).then(r.bind(r,53934))},children:[{path:":category",name:"apps-category",children:[{path:":id",name:"apps-details"}]}]}];s.Ay.use(d.Ay);const E=new d.Ay({mode:"history",base:(0,p.Jv)(""),linkActiveClass:"active",routes:m});var g=r(14744),h=r(21777),f=r(65899);r.nc=(0,h.aV)(),s.Ay.prototype.t=n.t,s.Ay.prototype.n=n.n,s.Ay.use(f.R2),s.Ay.use(i.Ay,{defaultHtml:!1}),s.Ay.use(a.Ay);const A=(0,g.P)();(0,o.O)(A,E);const I=(0,f.Ey)();new s.Ay({router:E,store:A,pinia:I,render:e=>e(l),el:"#content"})},14744:(e,r,s)=>{"use strict";s.d(r,{P:()=>$});var a=s(95353),i=s(59097),o=s(87485),n=s(35810),c=s(85168),u=s(63814),l=s(81222),d=s(65043),p=s(15916),m=s(53334);const E=Intl.Collator([(0,m.Z0)(),(0,m.lO)()],{numeric:!0,usage:"sort"});var g=s(6028),h=s(36620);const f=(0,l.C)("settings","usersSettings",{}),A=(0,i.c0)("settings").persist(!0).build(),I={id:"",name:"",usercount:0,disabled:0,canAdd:!0,canRemove:!0},T={users:[],groups:[...f.getSubAdminGroups??[],...f.systemGroups??[]],orderBy:f.sortGroups??p.q.UserCount,minPasswordLength:0,usersOffset:0,usersLimit:25,disabledUsersOffset:0,disabledUsersLimit:25,userCount:f.userCount??0,showConfig:{showStoragePath:"true"===A.getItem("account_settings__showStoragePath"),showUserBackend:"true"===A.getItem("account_settings__showUserBackend"),showFirstLogin:"true"===A.getItem("account_settings__showFirstLogin"),showLastLogin:"true"===A.getItem("account_settings__showLastLogin"),showNewUserForm:"true"===A.getItem("account_settings__showNewUserForm"),showLanguages:"true"===A.getItem("account_settings__showLanguages")}},N={appendUsers(e,t){const r=e.users.map(e=>{let{id:t}=e;return t}),s=Object.values(t).filter(e=>{let{id:t}=e;return!r.includes(t)}),a=e.users.concat(s);e.usersOffset+=e.usersLimit,e.users=a},updateDisabledUsers(e,t){e.disabledUsersOffset+=e.disabledUsersLimit},setPasswordPolicyMinLength(e,t){e.minPasswordLength=""!==t?t:0},addGroup(e,t){try{if(void 0!==e.groups.find(e=>e.id===t.id))return;const r=Object.assign({},I,t);e.groups.unshift(r)}catch(e){console.error("Can't create group",e)}},renameGroup(e,t){let{gid:r,displayName:s}=t;const a=e.groups.findIndex(e=>e.id===r);if(a>=0){const t=e.groups[a];t.name=s,e.groups.splice(a,1,t)}},removeGroup(e,t){const r=e.groups.findIndex(e=>e.id===t);r>=0&&e.groups.splice(r,1)},addUserGroup(e,t){let{userid:r,gid:s}=t;const a=e.groups.find(e=>e.id===s),i=e.users.find(e=>e.id===r);a&&i.enabled&&e.userCount>0&&a.usercount++,i.groups.push(s)},removeUserGroup(e,t){let{userid:r,gid:s}=t;const a=e.groups.find(e=>e.id===s),i=e.users.find(e=>e.id===r);a&&i.enabled&&e.userCount>0&&a.usercount--;const o=i.groups;o.splice(o.indexOf(s),1)},addUserSubAdmin(e,t){let{userid:r,gid:s}=t;e.users.find(e=>e.id===r).subadmin.push(s)},removeUserSubAdmin(e,t){let{userid:r,gid:s}=t;const a=e.users.find(e=>e.id===r).subadmin;a.splice(a.indexOf(s),1)},deleteUser(e,t){const r=e.users.findIndex(e=>e.id===t);this.commit("updateUserCounts",{user:e.users[r],actionType:"remove"}),e.users.splice(r,1)},addUserData(e,t){const r=t.data.ocs.data;e.users.unshift(r),this.commit("updateUserCounts",{user:r,actionType:"create"})},enableDisableUser(e,t){let{userid:r,enabled:s}=t;const a=e.users.find(e=>e.id===r);a.enabled=s,this.commit("updateUserCounts",{user:a,actionType:s?"enable":"disable"})},updateUserCounts(e,t){let{user:r,actionType:s}=t;if(0===e.userCount)return;const a=e.groups.find(e=>"__nc_internal_recent"===e.id),i=e.groups.find(e=>"disabled"===e.id);switch(s){case"enable":case"disable":i.usercount+=r.enabled?-1:1,a.usercount+=r.enabled?1:-1,e.userCount+=r.enabled?1:-1,r.groups.forEach(t=>{const s=e.groups.find(e=>e.id===t);s&&(s.disabled+=r.enabled?-1:1)});break;case"create":a.usercount++,e.userCount++,r.groups.forEach(t=>{const r=e.groups.find(e=>e.id===t);r&&r.usercount++});break;case"remove":r.enabled?(a.usercount--,e.userCount--,r.groups.forEach(t=>{const r=e.groups.find(e=>e.id===t);r?r.usercount--:console.warn("User group "+t+" does not exist during user removal")})):(i.usercount--,r.groups.forEach(t=>{const r=e.groups.find(e=>e.id===t);r&&r.disabled--}));break;default:h.A.error(`Unknown action type in updateUserCounts: '${s}'`)}},setUserData(e,t){let{userid:r,key:s,value:a}=t;if("quota"===s){const t=(0,n.lT)(a,!0);e.users.find(e=>e.id===r)[s][s]=null!==t?t:a}else e.users.find(e=>e.id===r)[s]=a},resetUsers(e){e.users=[],e.usersOffset=0,e.disabledUsersOffset=0},resetGroups(e){e.groups=[...f.getSubAdminGroups??[],...f.systemGroups??[]]},setShowConfig(e,t){let{key:r,value:s}=t;A.setItem(`account_settings__${r}`,JSON.stringify(s)),e.showConfig[r]=s},setGroupSorting(e,r){const s=e.orderBy;e.orderBy=r,d.Ay.post((0,u.Jv)("/settings/users/preferences/group.sortBy"),{value:String(r)}).catch(r=>{e.orderBy=s,(0,c.Qg)(t("settings","Could not set group sorting")),h.A.error(r)})}},b={getUsers:e=>e.users,getGroups:e=>e.groups,getSubAdminGroups:()=>f.subAdminGroups??[],getSortedGroups(e){const t=[...e.groups];return e.orderBy===p.q.UserCount?t.sort((e,t)=>{const r=e.usercount-e.disabled,s=t.usercount-t.disabled;return rE.compare(e.name,t.name))},getGroupSorting:e=>e.orderBy,getPasswordPolicyMinLength:e=>e.minPasswordLength,getUsersOffset:e=>e.usersOffset,getUsersLimit:e=>e.usersLimit,getDisabledUsersOffset:e=>e.disabledUsersOffset,getDisabledUsersLimit:e=>e.disabledUsersLimit,getUserCount:e=>e.userCount,getShowConfig:e=>e.showConfig},_=d.Ay.CancelToken;let L=null;const O={state:T,mutations:N,getters:b,actions:{searchUsers(e,t){let{offset:r,limit:s,search:a}=t;return a="string"==typeof a?a:"",g.A.get((0,u.KT)("cloud/users/details?offset={offset}&limit={limit}&search={search}",{offset:r,limit:s,search:a})).catch(t=>{d.Ay.isCancel(t)||e.commit("API_FAILURE",t)})},getUser:(e,t)=>g.A.get((0,u.KT)(`cloud/users/${t}`)).catch(t=>{d.Ay.isCancel(t)||e.commit("API_FAILURE",t)}),getUsers(e,t){let{offset:r,limit:s,search:a,group:i}=t;return L&&L.cancel("Operation canceled by another search request."),L=_.source(),a="string"==typeof a?a:"",a=a.replace(/in:[^\s]+/g,"").trim(),i="string"==typeof i?i:"",""!==i?g.A.get((0,u.KT)("cloud/groups/{group}/users/details?offset={offset}&limit={limit}&search={search}",{group:encodeURIComponent(i),offset:r,limit:s,search:a}),{cancelToken:L.token}).then(t=>{const r=Object.keys(t.data.ocs.data.users).length;return r>0&&e.commit("appendUsers",t.data.ocs.data.users),r}).catch(t=>{d.Ay.isCancel(t)||e.commit("API_FAILURE",t)}):g.A.get((0,u.KT)("cloud/users/details?offset={offset}&limit={limit}&search={search}",{offset:r,limit:s,search:a}),{cancelToken:L.token}).then(t=>{const r=Object.keys(t.data.ocs.data.users).length;return r>0&&e.commit("appendUsers",t.data.ocs.data.users),r}).catch(t=>{d.Ay.isCancel(t)||e.commit("API_FAILURE",t)})},async getRecentUsers(e,t){let{offset:r,limit:s,search:a}=t;const i=(0,u.KT)("cloud/users/recent?offset={offset}&limit={limit}&search={search}",{offset:r,limit:s,search:a});try{const t=await g.A.get(i),r=Object.keys(t.data.ocs.data.users).length;return r>0&&e.commit("appendUsers",t.data.ocs.data.users),r}catch(t){e.commit("API_FAILURE",t)}},async getDisabledUsers(e,t){let{offset:r,limit:s,search:a}=t;const i=(0,u.KT)("cloud/users/disabled?offset={offset}&limit={limit}&search={search}",{offset:r,limit:s,search:a});try{const t=await g.A.get(i),r=Object.keys(t.data.ocs.data.users).length;return r>0&&(e.commit("appendUsers",t.data.ocs.data.users),e.commit("updateDisabledUsers",t.data.ocs.data.users)),r}catch(t){e.commit("API_FAILURE",t)}},getGroups(e,t){let{offset:r,limit:s,search:a}=t;a="string"==typeof a?a:"";const i=-1===s?"":`&limit=${s}`;return g.A.get((0,u.KT)("cloud/groups?offset={offset}&search={search}",{offset:r,search:a})+i).then(t=>Object.keys(t.data.ocs.data.groups).length>0&&(t.data.ocs.data.groups.forEach(function(t){e.commit("addGroup",{id:t,name:t})}),!0)).catch(t=>e.commit("API_FAILURE",t))},getUsersFromList(e,t){let{offset:r,limit:s,search:a}=t;return a="string"==typeof a?a:"",g.A.get((0,u.KT)("cloud/users/details?offset={offset}&limit={limit}&search={search}",{offset:r,limit:s,search:a})).then(t=>Object.keys(t.data.ocs.data.users).length>0&&(e.commit("appendUsers",t.data.ocs.data.users),!0)).catch(t=>e.commit("API_FAILURE",t))},getUsersFromGroup(e,t){let{groupid:r,offset:s,limit:a}=t;return g.A.get((0,u.KT)("cloud/users/{groupId}/details?offset={offset}&limit={limit}",{groupId:encodeURIComponent(r),offset:s,limit:a})).then(t=>e.commit("getUsersFromList",t.data.ocs.data.users)).catch(t=>e.commit("API_FAILURE",t))},getPasswordPolicyMinLength:e=>!(!(0,o.F)().password_policy||!(0,o.F)().password_policy.minLength)&&(e.commit("setPasswordPolicyMinLength",(0,o.F)().password_policy.minLength),(0,o.F)().password_policy.minLength),addGroup:(e,t)=>g.A.requireAdmin().then(r=>g.A.post((0,u.KT)("cloud/groups"),{groupid:t}).then(r=>(e.commit("addGroup",{id:t,name:t}),{gid:t,displayName:t})).catch(e=>{throw e})).catch(r=>{throw e.commit("API_FAILURE",{gid:t,error:r}),r}),renameGroup(e,t){let{groupid:r,displayName:s}=t;return g.A.requireAdmin().then(t=>g.A.put((0,u.KT)("cloud/groups/{groupId}",{groupId:encodeURIComponent(r)}),{key:"displayname",value:s}).then(t=>(e.commit("renameGroup",{gid:r,displayName:s}),{groupid:r,displayName:s})).catch(e=>{throw e})).catch(t=>{throw e.commit("API_FAILURE",{groupid:r,error:t}),t})},removeGroup:(e,t)=>g.A.requireAdmin().then(r=>g.A.delete((0,u.KT)("cloud/groups/{groupId}",{groupId:encodeURIComponent(t)})).then(r=>e.commit("removeGroup",t)).catch(e=>{throw e})).catch(r=>e.commit("API_FAILURE",{gid:t,error:r})),addUserGroup(e,t){let{userid:r,gid:s}=t;return g.A.requireAdmin().then(t=>g.A.post((0,u.KT)("cloud/users/{userid}/groups",{userid:r}),{groupid:s}).then(t=>e.commit("addUserGroup",{userid:r,gid:s})).catch(e=>{throw e})).catch(t=>e.commit("API_FAILURE",{userid:r,error:t}))},removeUserGroup(e,t){let{userid:r,gid:s}=t;return g.A.requireAdmin().then(t=>g.A.delete((0,u.KT)("cloud/users/{userid}/groups",{userid:r}),{groupid:s}).then(t=>e.commit("removeUserGroup",{userid:r,gid:s})).catch(e=>{throw e})).catch(t=>{throw e.commit("API_FAILURE",{userid:r,error:t}),t})},addUserSubAdmin(e,t){let{userid:r,gid:s}=t;return g.A.requireAdmin().then(t=>g.A.post((0,u.KT)("cloud/users/{userid}/subadmins",{userid:r}),{groupid:s}).then(t=>e.commit("addUserSubAdmin",{userid:r,gid:s})).catch(e=>{throw e})).catch(t=>e.commit("API_FAILURE",{userid:r,error:t}))},removeUserSubAdmin(e,t){let{userid:r,gid:s}=t;return g.A.requireAdmin().then(t=>g.A.delete((0,u.KT)("cloud/users/{userid}/subadmins",{userid:r}),{groupid:s}).then(t=>e.commit("removeUserSubAdmin",{userid:r,gid:s})).catch(e=>{throw e})).catch(t=>e.commit("API_FAILURE",{userid:r,error:t}))},async wipeUserDevices(e,t){try{return await g.A.requireAdmin(),await g.A.post((0,u.KT)("cloud/users/{userid}/wipe",{userid:t}))}catch(r){return e.commit("API_FAILURE",{userid:t,error:r}),Promise.reject(new Error("Failed to wipe user devices"))}},deleteUser:(e,t)=>g.A.requireAdmin().then(r=>g.A.delete((0,u.KT)("cloud/users/{userid}",{userid:t})).then(r=>e.commit("deleteUser",t)).catch(e=>{throw e})).catch(r=>e.commit("API_FAILURE",{userid:t,error:r})),addUser(e,t){let{commit:r,dispatch:s}=e,{userid:a,password:i,displayName:o,email:n,groups:c,subadmin:l,quota:d,language:p,manager:m}=t;return g.A.requireAdmin().then(e=>g.A.post((0,u.KT)("cloud/users"),{userid:a,password:i,displayName:o,email:n,groups:c,subadmin:l,quota:d,language:p,manager:m}).then(e=>s("addUserData",a||e.data.ocs.data.id)).catch(e=>{throw e})).catch(e=>{throw r("API_FAILURE",{userid:a,error:e}),e})},addUserData:(e,t)=>g.A.requireAdmin().then(r=>g.A.get((0,u.KT)("cloud/users/{userid}",{userid:t})).then(t=>e.commit("addUserData",t)).catch(e=>{throw e})).catch(r=>e.commit("API_FAILURE",{userid:t,error:r})),enableDisableUser(e,t){let{userid:r,enabled:s=!0}=t;const a=s?"enable":"disable";return g.A.requireAdmin().then(t=>g.A.put((0,u.KT)("cloud/users/{userid}/{userStatus}",{userid:r,userStatus:a})).then(t=>e.commit("enableDisableUser",{userid:r,enabled:s})).catch(e=>{throw e})).catch(t=>e.commit("API_FAILURE",{userid:r,error:t}))},async setUserData(e,t){let{userid:r,key:s,value:a}=t;if(!["email","language","quota","displayname","password","manager"].includes(s))throw new Error("Invalid request data");if(""===a&&!["email","displayname","manager"].includes(s))throw new Error("Value cannot be empty for this field");try{return await g.A.requireAdmin(),await g.A.put((0,u.KT)("cloud/users/{userid}",{userid:r}),{key:s,value:a}),e.commit("setUserData",{userid:r,key:s,value:a})}catch(t){throw e.commit("API_FAILURE",{userid:r,error:t}),t}},sendWelcomeMail:(e,t)=>g.A.requireAdmin().then(e=>g.A.post((0,u.KT)("cloud/users/{userid}/welcome",{userid:t})).then(e=>!0).catch(e=>{throw e})).catch(r=>e.commit("API_FAILURE",{userid:t,error:r}))}};var R=s(85471);const C={apps:[],bundles:(0,l.C)("settings","appstoreBundles",[]),categories:[],updateCount:(0,l.C)("settings","appstoreUpdateCount",0),loading:{},gettingCategoriesPromise:null,appApiEnabled:(0,l.C)("settings","appApiEnabled",!1)},v={APPS_API_FAILURE(e,r){(0,c.Qg)(t("settings","An error occurred during the request. Unable to proceed.")+" "+r.error.response.data.data.message,{isHTML:!0}),console.error(e,r)},initCategories(e,t){let{categories:r,updateCount:s}=t;e.categories=r,e.updateCount=s},updateCategories(e,t){e.gettingCategoriesPromise=t},setUpdateCount(e,t){e.updateCount=t},addCategory(e,t){e.categories.push(t)},appendCategories(e,t){e.categories=t},setAllApps(e,t){e.apps=t},setError(e,t){let{appId:r,error:s}=t;Array.isArray(r)||(r=[r]),r.forEach(t=>{e.apps.find(e=>e.id===t).error=s})},clearError(e,t){let{appId:r,error:s}=t;e.apps.find(e=>e.id===r).error=null},enableApp(e,t){let{appId:r,groups:s}=t;const a=e.apps.find(e=>e.id===r);a.active=!0,a.groups=s,"app_api"===a.id&&(e.appApiEnabled=!0)},setInstallState(e,t){let{appId:r,canInstall:s}=t;const a=e.apps.find(e=>e.id===r);a&&(a.canInstall=!0===s)},disableApp(e,t){const r=e.apps.find(e=>e.id===t);r.active=!1,r.groups=[],r.removable&&(r.canUnInstall=!0),"app_api"===r.id&&(e.appApiEnabled=!1)},uninstallApp(e,t){e.apps.find(e=>e.id===t).active=!1,e.apps.find(e=>e.id===t).groups=[],e.apps.find(e=>e.id===t).needsDownload=!0,e.apps.find(e=>e.id===t).installed=!1,e.apps.find(e=>e.id===t).canUnInstall=!1,e.apps.find(e=>e.id===t).canInstall=!0,"app_api"===t&&(e.appApiEnabled=!1)},updateApp(e,t){const r=e.apps.find(e=>e.id===t),s=r.update;r.update=null,r.version=s,e.updateCount--},resetApps(e){e.apps=[]},reset(e){e.apps=[],e.categories=[],e.updateCount=0},startLoading(e,t){Array.isArray(t)?t.forEach(t=>{R.Ay.set(e.loading,t,!0)}):R.Ay.set(e.loading,t,!0)},stopLoading(e,t){Array.isArray(t)?t.forEach(t=>{R.Ay.set(e.loading,t,!1)}):R.Ay.set(e.loading,t,!1)}},y={enableApp(e,r){let s,{appId:a,groups:i}=r;return s=Array.isArray(a)?a:[a],g.A.requireAdmin().then(r=>(e.commit("startLoading",s),e.commit("startLoading","install"),g.A.post((0,u.Jv)("settings/apps/enable"),{appIds:s,groups:i}).then(r=>(e.commit("stopLoading",s),e.commit("stopLoading","install"),s.forEach(t=>{e.commit("enableApp",{appId:t,groups:i})}),d.Ay.get((0,u.Jv)("apps/files/")).then(()=>{r.data.update_required&&((0,c.cf)(t("settings","The app has been enabled but needs to be updated. You will be redirected to the update page in 5 seconds."),{onClick:()=>window.location.reload(),close:!1}),setTimeout(function(){location.reload()},5e3))}).catch(()=>{Array.isArray(a)||((0,c.Qg)(t("settings","Error: This app cannot be enabled because it makes the server unstable")),e.commit("setError",{appId:s,error:t("settings","Error: This app cannot be enabled because it makes the server unstable")}),e.dispatch("disableApp",{appId:a}))}))).catch(t=>{e.commit("stopLoading",s),e.commit("stopLoading","install"),e.commit("setError",{appId:s,error:t.response.data.data.message}),e.commit("APPS_API_FAILURE",{appId:a,error:t})}))).catch(t=>e.commit("API_FAILURE",{appId:a,error:t}))},forceEnableApp(e,t){let r,{appId:s,groups:a}=t;return r=Array.isArray(s)?s:[s],g.A.requireAdmin().then(()=>(e.commit("startLoading",r),e.commit("startLoading","install"),g.A.post((0,u.Jv)("settings/apps/force"),{appId:s}).then(t=>{e.commit("setInstallState",{appId:s,canInstall:!0})}).catch(t=>{e.commit("stopLoading",r),e.commit("stopLoading","install"),e.commit("setError",{appId:r,error:t.response.data.data.message}),e.commit("APPS_API_FAILURE",{appId:s,error:t})}).finally(()=>{e.commit("stopLoading",r),e.commit("stopLoading","install")}))).catch(t=>e.commit("API_FAILURE",{appId:s,error:t}))},disableApp(e,t){let r,{appId:s}=t;return r=Array.isArray(s)?s:[s],g.A.requireAdmin().then(t=>(e.commit("startLoading",r),g.A.post((0,u.Jv)("settings/apps/disable"),{appIds:r}).then(t=>(e.commit("stopLoading",r),r.forEach(t=>{e.commit("disableApp",t)}),!0)).catch(t=>{e.commit("stopLoading",r),e.commit("APPS_API_FAILURE",{appId:s,error:t})}))).catch(t=>e.commit("API_FAILURE",{appId:s,error:t}))},uninstallApp(e,t){let{appId:r}=t;return g.A.requireAdmin().then(t=>(e.commit("startLoading",r),g.A.get((0,u.Jv)(`settings/apps/uninstall/${r}`)).then(t=>(e.commit("stopLoading",r),e.commit("uninstallApp",r),!0)).catch(t=>{e.commit("stopLoading",r),e.commit("APPS_API_FAILURE",{appId:r,error:t})}))).catch(t=>e.commit("API_FAILURE",{appId:r,error:t}))},updateApp(e,t){let{appId:r}=t;return g.A.requireAdmin().then(t=>(e.commit("startLoading",r),e.commit("startLoading","install"),g.A.get((0,u.Jv)(`settings/apps/update/${r}`)).then(t=>(e.commit("stopLoading","install"),e.commit("stopLoading",r),e.commit("updateApp",r),!0)).catch(t=>{e.commit("stopLoading",r),e.commit("stopLoading","install"),e.commit("APPS_API_FAILURE",{appId:r,error:t})}))).catch(t=>e.commit("API_FAILURE",{appId:r,error:t}))},getAllApps:e=>(e.commit("startLoading","list"),g.A.get((0,u.Jv)("settings/apps/list")).then(t=>(e.commit("setAllApps",t.data.apps),e.commit("stopLoading","list"),!0)).catch(t=>e.commit("API_FAILURE",t))),async getCategories(e){let{shouldRefetchCategories:t=!1}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};if(t||!e.state.gettingCategoriesPromise){e.commit("startLoading","categories");try{const t=g.A.get((0,u.Jv)("settings/apps/categories"));e.commit("updateCategories",t);const r=await t;return r.data.length>0?(e.commit("appendCategories",r.data),e.commit("stopLoading","categories"),!0):(e.commit("stopLoading","categories"),!1)}catch(t){e.commit("API_FAILURE",t)}}return e.state.gettingCategoriesPromise}},U={state:C,mutations:v,getters:{isAppApiEnabled:e=>e.appApiEnabled,loading:e=>function(t){return e.loading[t]},getCategories:e=>e.categories,getAllApps:e=>e.apps,getAppBundles:e=>e.bundles,getUpdateCount:e=>e.updateCount,getCategoryById:e=>t=>e.categories.find(e=>e.id===t)},actions:y},D={serverData:(0,l.C)("settings","usersSettings",{})},P={setServerData(e,t){e.serverData=t}},S={state:D,mutations:P,getters:{getServerData:e=>e.serverData},actions:{}},F={state:{},mutations:{},getters:{},actions:{setAppConfig(e,t){let{app:r,key:s,value:a}=t;return g.A.requireAdmin().then(e=>g.A.post((0,u.KT)("apps/provisioning_api/api/v1/config/apps/{app}/{key}",{app:r,key:s}),{value:a}).catch(e=>{throw e})).catch(t=>e.commit("API_FAILURE",{app:r,key:s,value:a,error:t}))}}},w={API_FAILURE(e,r){try{const e=r.error.response.data.ocs.meta.message;(0,c.Qg)(t("settings","An error occurred during the request. Unable to proceed.")+" "+e,{isHTML:!0})}catch(e){(0,c.Qg)(t("settings","An error occurred during the request. Unable to proceed."))}console.error(e,r)}};let G=null;const $=()=>(null===G&&(G=new a.il({modules:{users:O,apps:U,settings:S,oc:F},strict:!1,mutations:w})),G)},15916:(e,t,r)=>{"use strict";var s;r.d(t,{q:()=>s}),function(e){e[e.UserCount=1]="UserCount",e[e.GroupName=2]="GroupName"}(s||(s={}))},35810:(e,t,r)=>{"use strict";r.d(t,{Al:()=>n.r,H4:()=>n.c,KT:()=>F,Q$:()=>n.e,R3:()=>n.n,VL:()=>n.l,di:()=>S,lJ:()=>n.d,lT:()=>M,nF:()=>P,pt:()=>n.F,ur:()=>x,v7:()=>$});var s,a,i,o,n=r(68896),c=r(380),u=r(83141),l=r(87485),d=(r(43627),r(53334)),p=r(65606),m=r(62045).hp;function E(){if(a)return s;a=1;const e="object"==typeof p&&p.env&&p.env.NODE_DEBUG&&/\bsemver\b/i.test(p.env.NODE_DEBUG)?(...e)=>console.error("SEMVER",...e):()=>{};return s=e}function g(){if(o)return i;o=1;const e=Number.MAX_SAFE_INTEGER||9007199254740991;return i={MAX_LENGTH:256,MAX_SAFE_COMPONENT_LENGTH:16,MAX_SAFE_BUILD_LENGTH:250,MAX_SAFE_INTEGER:e,RELEASE_TYPES:["major","premajor","minor","preminor","patch","prepatch","prerelease"],SEMVER_SPEC_VERSION:"2.0.0",FLAG_INCLUDE_PRERELEASE:1,FLAG_LOOSE:2}}var h,f,A,I,T,N,b,_,L,O,R,C,v,y={exports:{}};function U(){if(b)return N;b=1;const e=E(),{MAX_LENGTH:t,MAX_SAFE_INTEGER:r}=g(),{safeRe:s,t:a}=(h||(h=1,function(e,t){const{MAX_SAFE_COMPONENT_LENGTH:r,MAX_SAFE_BUILD_LENGTH:s,MAX_LENGTH:a}=g(),i=E(),o=(t=e.exports={}).re=[],n=t.safeRe=[],c=t.src=[],u=t.t={};let l=0;const d="[a-zA-Z0-9-]",p=[["\\s",1],["\\d",a],[d,s]],m=(e,t,r)=>{const s=(e=>{for(const[t,r]of p)e=e.split(`${t}*`).join(`${t}{0,${r}}`).split(`${t}+`).join(`${t}{1,${r}}`);return e})(t),a=l++;i(e,a,t),u[e]=a,c[a]=t,o[a]=new RegExp(t,r?"g":void 0),n[a]=new RegExp(s,r?"g":void 0)};m("NUMERICIDENTIFIER","0|[1-9]\\d*"),m("NUMERICIDENTIFIERLOOSE","\\d+"),m("NONNUMERICIDENTIFIER",`\\d*[a-zA-Z-]${d}*`),m("MAINVERSION",`(${c[u.NUMERICIDENTIFIER]})\\.(${c[u.NUMERICIDENTIFIER]})\\.(${c[u.NUMERICIDENTIFIER]})`),m("MAINVERSIONLOOSE",`(${c[u.NUMERICIDENTIFIERLOOSE]})\\.(${c[u.NUMERICIDENTIFIERLOOSE]})\\.(${c[u.NUMERICIDENTIFIERLOOSE]})`),m("PRERELEASEIDENTIFIER",`(?:${c[u.NUMERICIDENTIFIER]}|${c[u.NONNUMERICIDENTIFIER]})`),m("PRERELEASEIDENTIFIERLOOSE",`(?:${c[u.NUMERICIDENTIFIERLOOSE]}|${c[u.NONNUMERICIDENTIFIER]})`),m("PRERELEASE",`(?:-(${c[u.PRERELEASEIDENTIFIER]}(?:\\.${c[u.PRERELEASEIDENTIFIER]})*))`),m("PRERELEASELOOSE",`(?:-?(${c[u.PRERELEASEIDENTIFIERLOOSE]}(?:\\.${c[u.PRERELEASEIDENTIFIERLOOSE]})*))`),m("BUILDIDENTIFIER",`${d}+`),m("BUILD",`(?:\\+(${c[u.BUILDIDENTIFIER]}(?:\\.${c[u.BUILDIDENTIFIER]})*))`),m("FULLPLAIN",`v?${c[u.MAINVERSION]}${c[u.PRERELEASE]}?${c[u.BUILD]}?`),m("FULL",`^${c[u.FULLPLAIN]}$`),m("LOOSEPLAIN",`[v=\\s]*${c[u.MAINVERSIONLOOSE]}${c[u.PRERELEASELOOSE]}?${c[u.BUILD]}?`),m("LOOSE",`^${c[u.LOOSEPLAIN]}$`),m("GTLT","((?:<|>)?=?)"),m("XRANGEIDENTIFIERLOOSE",`${c[u.NUMERICIDENTIFIERLOOSE]}|x|X|\\*`),m("XRANGEIDENTIFIER",`${c[u.NUMERICIDENTIFIER]}|x|X|\\*`),m("XRANGEPLAIN",`[v=\\s]*(${c[u.XRANGEIDENTIFIER]})(?:\\.(${c[u.XRANGEIDENTIFIER]})(?:\\.(${c[u.XRANGEIDENTIFIER]})(?:${c[u.PRERELEASE]})?${c[u.BUILD]}?)?)?`),m("XRANGEPLAINLOOSE",`[v=\\s]*(${c[u.XRANGEIDENTIFIERLOOSE]})(?:\\.(${c[u.XRANGEIDENTIFIERLOOSE]})(?:\\.(${c[u.XRANGEIDENTIFIERLOOSE]})(?:${c[u.PRERELEASELOOSE]})?${c[u.BUILD]}?)?)?`),m("XRANGE",`^${c[u.GTLT]}\\s*${c[u.XRANGEPLAIN]}$`),m("XRANGELOOSE",`^${c[u.GTLT]}\\s*${c[u.XRANGEPLAINLOOSE]}$`),m("COERCEPLAIN",`(^|[^\\d])(\\d{1,${r}})(?:\\.(\\d{1,${r}}))?(?:\\.(\\d{1,${r}}))?`),m("COERCE",`${c[u.COERCEPLAIN]}(?:$|[^\\d])`),m("COERCEFULL",c[u.COERCEPLAIN]+`(?:${c[u.PRERELEASE]})?(?:${c[u.BUILD]})?(?:$|[^\\d])`),m("COERCERTL",c[u.COERCE],!0),m("COERCERTLFULL",c[u.COERCEFULL],!0),m("LONETILDE","(?:~>?)"),m("TILDETRIM",`(\\s*)${c[u.LONETILDE]}\\s+`,!0),t.tildeTrimReplace="$1~",m("TILDE",`^${c[u.LONETILDE]}${c[u.XRANGEPLAIN]}$`),m("TILDELOOSE",`^${c[u.LONETILDE]}${c[u.XRANGEPLAINLOOSE]}$`),m("LONECARET","(?:\\^)"),m("CARETTRIM",`(\\s*)${c[u.LONECARET]}\\s+`,!0),t.caretTrimReplace="$1^",m("CARET",`^${c[u.LONECARET]}${c[u.XRANGEPLAIN]}$`),m("CARETLOOSE",`^${c[u.LONECARET]}${c[u.XRANGEPLAINLOOSE]}$`),m("COMPARATORLOOSE",`^${c[u.GTLT]}\\s*(${c[u.LOOSEPLAIN]})$|^$`),m("COMPARATOR",`^${c[u.GTLT]}\\s*(${c[u.FULLPLAIN]})$|^$`),m("COMPARATORTRIM",`(\\s*)${c[u.GTLT]}\\s*(${c[u.LOOSEPLAIN]}|${c[u.XRANGEPLAIN]})`,!0),t.comparatorTrimReplace="$1$2$3",m("HYPHENRANGE",`^\\s*(${c[u.XRANGEPLAIN]})\\s+-\\s+(${c[u.XRANGEPLAIN]})\\s*$`),m("HYPHENRANGELOOSE",`^\\s*(${c[u.XRANGEPLAINLOOSE]})\\s+-\\s+(${c[u.XRANGEPLAINLOOSE]})\\s*$`),m("STAR","(<|>)?=?\\s*\\*"),m("GTE0","^\\s*>=\\s*0\\.0\\.0\\s*$"),m("GTE0PRE","^\\s*>=\\s*0\\.0\\.0-0\\s*$")}(y,y.exports)),y.exports),i=function(){if(A)return f;A=1;const e=Object.freeze({loose:!0}),t=Object.freeze({});return f=r=>r?"object"!=typeof r?e:r:t}(),{compareIdentifiers:o}=function(){if(T)return I;T=1;const e=/^[0-9]+$/,t=(t,r)=>{const s=e.test(t),a=e.test(r);return s&&a&&(t=+t,r=+r),t===r?0:s&&!a?-1:a&&!s?1:tt(r,e)}}();class n{constructor(o,c){if(c=i(c),o instanceof n){if(o.loose===!!c.loose&&o.includePrerelease===!!c.includePrerelease)return o;o=o.version}else if("string"!=typeof o)throw new TypeError(`Invalid version. Must be a string. Got type "${typeof o}".`);if(o.length>t)throw new TypeError(`version is longer than ${t} characters`);e("SemVer",o,c),this.options=c,this.loose=!!c.loose,this.includePrerelease=!!c.includePrerelease;const u=o.trim().match(c.loose?s[a.LOOSE]:s[a.FULL]);if(!u)throw new TypeError(`Invalid Version: ${o}`);if(this.raw=o,this.major=+u[1],this.minor=+u[2],this.patch=+u[3],this.major>r||this.major<0)throw new TypeError("Invalid major version");if(this.minor>r||this.minor<0)throw new TypeError("Invalid minor version");if(this.patch>r||this.patch<0)throw new TypeError("Invalid patch version");u[4]?this.prerelease=u[4].split(".").map(e=>{if(/^[0-9]+$/.test(e)){const t=+e;if(t>=0&&t=0;)"number"==typeof this.prerelease[s]&&(this.prerelease[s]++,s=-2);if(-1===s){if(t===this.prerelease.join(".")&&!1===r)throw new Error("invalid increment argument: identifier already exists");this.prerelease.push(e)}}if(t){let s=[t,e];!1===r&&(s=[t]),0===o(this.prerelease[0],t)?isNaN(this.prerelease[1])&&(this.prerelease=s):this.prerelease=s}break}default:throw new Error(`invalid increment argument: ${e}`)}return this.raw=this.format(),this.build.length&&(this.raw+=`+${this.build.join(".")}`),this}}return N=n}!function(){if(R)return O;R=1;const e=function(){if(L)return _;L=1;const e=U();return _=(t,r,s=!1)=>{if(t instanceof e)return t;try{return new e(t,r)}catch(e){if(!s)return null;throw e}}}();O=(t,r)=>{const s=e(t,r);return s?s.version:null}}(),function(){if(v)return C;v=1;const e=U();C=(t,r)=>new e(t,r).major}(),c.m;var D;D||(D=1,function(e){e.parser=function(e,t){return new s(e,t)},e.SAXParser=s,e.SAXStream=i,e.createStream=function(e,t){return new i(e,t)},e.MAX_BUFFER_LENGTH=65536;var t,r=["comment","sgmlDecl","textNode","tagName","doctype","procInstName","procInstBody","entity","attribName","attribValue","cdata","script"];function s(t,a){if(!(this instanceof s))return new s(t,a);var i=this;!function(e){for(var t=0,s=r.length;t"===i?(v(s,"onsgmldeclaration",s.sgmlDecl),s.sgmlDecl="",s.state=O.TEXT):A(i)?(s.state=O.SGML_DECL_QUOTED,s.sgmlDecl+=i):s.sgmlDecl+=i;continue;case O.SGML_DECL_QUOTED:i===s.q&&(s.state=O.SGML_DECL,s.q=""),s.sgmlDecl+=i;continue;case O.DOCTYPE:">"===i?(s.state=O.TEXT,v(s,"ondoctype",s.doctype),s.doctype=!0):(s.doctype+=i,"["===i?s.state=O.DOCTYPE_DTD:A(i)&&(s.state=O.DOCTYPE_QUOTED,s.q=i));continue;case O.DOCTYPE_QUOTED:s.doctype+=i,i===s.q&&(s.q="",s.state=O.DOCTYPE);continue;case O.DOCTYPE_DTD:"]"===i?(s.doctype+=i,s.state=O.DOCTYPE):"<"===i?(s.state=O.OPEN_WAKA,s.startTagPosition=s.position):A(i)?(s.doctype+=i,s.state=O.DOCTYPE_DTD_QUOTED,s.q=i):s.doctype+=i;continue;case O.DOCTYPE_DTD_QUOTED:s.doctype+=i,i===s.q&&(s.state=O.DOCTYPE_DTD,s.q="");continue;case O.COMMENT:"-"===i?s.state=O.COMMENT_ENDING:s.comment+=i;continue;case O.COMMENT_ENDING:"-"===i?(s.state=O.COMMENT_ENDED,s.comment=U(s.opt,s.comment),s.comment&&v(s,"oncomment",s.comment),s.comment=""):(s.comment+="-"+i,s.state=O.COMMENT);continue;case O.COMMENT_ENDED:">"!==i?(S(s,"Malformed comment"),s.comment+="--"+i,s.state=O.COMMENT):s.doctype&&!0!==s.doctype?s.state=O.DOCTYPE_DTD:s.state=O.TEXT;continue;case O.CDATA:"]"===i?s.state=O.CDATA_ENDING:s.cdata+=i;continue;case O.CDATA_ENDING:"]"===i?s.state=O.CDATA_ENDING_2:(s.cdata+="]"+i,s.state=O.CDATA);continue;case O.CDATA_ENDING_2:">"===i?(s.cdata&&v(s,"oncdata",s.cdata),v(s,"onclosecdata"),s.cdata="",s.state=O.TEXT):"]"===i?s.cdata+="]":(s.cdata+="]]"+i,s.state=O.CDATA);continue;case O.PROC_INST:"?"===i?s.state=O.PROC_INST_ENDING:f(i)?s.state=O.PROC_INST_BODY:s.procInstName+=i;continue;case O.PROC_INST_BODY:if(!s.procInstBody&&f(i))continue;"?"===i?s.state=O.PROC_INST_ENDING:s.procInstBody+=i;continue;case O.PROC_INST_ENDING:">"===i?(v(s,"onprocessinginstruction",{name:s.procInstName,body:s.procInstBody}),s.procInstName=s.procInstBody="",s.state=O.TEXT):(s.procInstBody+="?"+i,s.state=O.PROC_INST_BODY);continue;case O.OPEN_TAG:T(E,i)?s.tagName+=i:(F(s),">"===i?$(s):"/"===i?s.state=O.OPEN_TAG_SLASH:(f(i)||S(s,"Invalid character in tag name"),s.state=O.ATTRIB));continue;case O.OPEN_TAG_SLASH:">"===i?($(s,!0),M(s)):(S(s,"Forward-slash in opening tag not followed by >"),s.state=O.ATTRIB);continue;case O.ATTRIB:if(f(i))continue;">"===i?$(s):"/"===i?s.state=O.OPEN_TAG_SLASH:T(p,i)?(s.attribName=i,s.attribValue="",s.state=O.ATTRIB_NAME):S(s,"Invalid attribute name");continue;case O.ATTRIB_NAME:"="===i?s.state=O.ATTRIB_VALUE:">"===i?(S(s,"Attribute without value"),s.attribValue=s.attribName,G(s),$(s)):f(i)?s.state=O.ATTRIB_NAME_SAW_WHITE:T(E,i)?s.attribName+=i:S(s,"Invalid attribute name");continue;case O.ATTRIB_NAME_SAW_WHITE:if("="===i)s.state=O.ATTRIB_VALUE;else{if(f(i))continue;S(s,"Attribute without value"),s.tag.attributes[s.attribName]="",s.attribValue="",v(s,"onattribute",{name:s.attribName,value:""}),s.attribName="",">"===i?$(s):T(p,i)?(s.attribName=i,s.state=O.ATTRIB_NAME):(S(s,"Invalid attribute name"),s.state=O.ATTRIB)}continue;case O.ATTRIB_VALUE:if(f(i))continue;A(i)?(s.q=i,s.state=O.ATTRIB_VALUE_QUOTED):(s.opt.unquotedAttributeValues||D(s,"Unquoted attribute value"),s.state=O.ATTRIB_VALUE_UNQUOTED,s.attribValue=i);continue;case O.ATTRIB_VALUE_QUOTED:if(i!==s.q){"&"===i?s.state=O.ATTRIB_VALUE_ENTITY_Q:s.attribValue+=i;continue}G(s),s.q="",s.state=O.ATTRIB_VALUE_CLOSED;continue;case O.ATTRIB_VALUE_CLOSED:f(i)?s.state=O.ATTRIB:">"===i?$(s):"/"===i?s.state=O.OPEN_TAG_SLASH:T(p,i)?(S(s,"No whitespace between attributes"),s.attribName=i,s.attribValue="",s.state=O.ATTRIB_NAME):S(s,"Invalid attribute name");continue;case O.ATTRIB_VALUE_UNQUOTED:if(!I(i)){"&"===i?s.state=O.ATTRIB_VALUE_ENTITY_U:s.attribValue+=i;continue}G(s),">"===i?$(s):s.state=O.ATTRIB;continue;case O.CLOSE_TAG:if(s.tagName)">"===i?M(s):T(E,i)?s.tagName+=i:s.script?(s.script+=""+s.tagName,s.tagName="",s.state=O.SCRIPT):(f(i)||S(s,"Invalid tagname in closing tag"),s.state=O.CLOSE_TAG_SAW_WHITE);else{if(f(i))continue;N(p,i)?s.script?(s.script+=""+i,s.state=O.SCRIPT):S(s,"Invalid tagname in closing tag."):s.tagName=i}continue;case O.CLOSE_TAG_SAW_WHITE:if(f(i))continue;">"===i?M(s):S(s,"Invalid characters in closing tag");continue;case O.TEXT_ENTITY:case O.ATTRIB_VALUE_ENTITY_Q:case O.ATTRIB_VALUE_ENTITY_U:var l,d;switch(s.state){case O.TEXT_ENTITY:l=O.TEXT,d="textNode";break;case O.ATTRIB_VALUE_ENTITY_Q:l=O.ATTRIB_VALUE_QUOTED,d="attribValue";break;case O.ATTRIB_VALUE_ENTITY_U:l=O.ATTRIB_VALUE_UNQUOTED,d="attribValue"}if(";"===i){var m=B(s);s.opt.unparsedEntities&&!Object.values(e.XML_ENTITIES).includes(m)?(s.entity="",s.state=l,s.write(m)):(s[d]+=m,s.entity="",s.state=l)}else T(s.entity.length?h:g,i)?s.entity+=i:(S(s,"Invalid character in entity name"),s[d]+="&"+s.entity+i,s.entity="",s.state=l);continue;default:throw new Error(s,"Unknown state: "+s.state)}return s.position>=s.bufferCheckPosition&&function(t){for(var s=Math.max(e.MAX_BUFFER_LENGTH,10),a=0,i=0,o=r.length;is)switch(r[i]){case"textNode":y(t);break;case"cdata":v(t,"oncdata",t.cdata),t.cdata="";break;case"script":v(t,"onscript",t.script),t.script="";break;default:D(t,"Max buffer length exceeded: "+r[i])}a=Math.max(a,n)}var c=e.MAX_BUFFER_LENGTH-a;t.bufferCheckPosition=c+t.position}(s),s},resume:function(){return this.error=null,this},close:function(){return this.write(null)},flush:function(){var e;y(e=this),""!==e.cdata&&(v(e,"oncdata",e.cdata),e.cdata=""),""!==e.script&&(v(e,"onscript",e.script),e.script="")}};try{t=require("stream").Stream}catch(e){t=function(){}}t||(t=function(){});var a=e.EVENTS.filter(function(e){return"error"!==e&&"end"!==e});function i(e,r){if(!(this instanceof i))return new i(e,r);t.apply(this),this._parser=new s(e,r),this.writable=!0,this.readable=!0;var o=this;this._parser.onend=function(){o.emit("end")},this._parser.onerror=function(e){o.emit("error",e),o._parser.error=null},this._decoder=null,a.forEach(function(e){Object.defineProperty(o,"on"+e,{get:function(){return o._parser["on"+e]},set:function(t){if(!t)return o.removeAllListeners(e),o._parser["on"+e]=t,t;o.on(e,t)},enumerable:!0,configurable:!1})})}i.prototype=Object.create(t.prototype,{constructor:{value:i}}),i.prototype.write=function(e){if("function"==typeof m&&"function"==typeof m.isBuffer&&m.isBuffer(e)){if(!this._decoder){var t=u.I;this._decoder=new t("utf8")}e=this._decoder.write(e)}return this._parser.write(e.toString()),this.emit("data",e),!0},i.prototype.end=function(e){return e&&e.length&&this.write(e),this._parser.end(),!0},i.prototype.on=function(e,r){var s=this;return s._parser["on"+e]||-1===a.indexOf(e)||(s._parser["on"+e]=function(){var t=1===arguments.length?[arguments[0]]:Array.apply(null,arguments);t.splice(0,0,e),s.emit.apply(s,t)}),t.prototype.on.call(s,e,r)};var o="[CDATA[",n="DOCTYPE",c="http://www.w3.org/XML/1998/namespace",l="http://www.w3.org/2000/xmlns/",d={xml:c,xmlns:l},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]/,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\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 f(e){return" "===e||"\n"===e||"\r"===e||"\t"===e}function A(e){return'"'===e||"'"===e}function I(e){return">"===e||f(e)}function T(e,t){return e.test(t)}function N(e,t){return!T(e,t)}var b,_,L,O=0;for(var R in e.STATE={BEGIN:O++,BEGIN_WHITESPACE:O++,TEXT:O++,TEXT_ENTITY:O++,OPEN_WAKA:O++,SGML_DECL:O++,SGML_DECL_QUOTED:O++,DOCTYPE:O++,DOCTYPE_QUOTED:O++,DOCTYPE_DTD:O++,DOCTYPE_DTD_QUOTED:O++,COMMENT_STARTING:O++,COMMENT:O++,COMMENT_ENDING:O++,COMMENT_ENDED:O++,CDATA:O++,CDATA_ENDING:O++,CDATA_ENDING_2:O++,PROC_INST:O++,PROC_INST_BODY:O++,PROC_INST_ENDING:O++,OPEN_TAG:O++,OPEN_TAG_SLASH:O++,ATTRIB:O++,ATTRIB_NAME:O++,ATTRIB_NAME_SAW_WHITE:O++,ATTRIB_VALUE:O++,ATTRIB_VALUE_QUOTED:O++,ATTRIB_VALUE_CLOSED:O++,ATTRIB_VALUE_UNQUOTED:O++,ATTRIB_VALUE_ENTITY_Q:O++,ATTRIB_VALUE_ENTITY_U:O++,CLOSE_TAG:O++,CLOSE_TAG_SAW_WHITE:O++,SCRIPT:O++,SCRIPT_ENDING:O++},e.XML_ENTITIES={amp:"&",gt:">",lt:"<",quot:'"',apos:"'"},e.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(e.ENTITIES).forEach(function(t){var r=e.ENTITIES[t],s="number"==typeof r?String.fromCharCode(r):r;e.ENTITIES[t]=s}),e.STATE)e.STATE[e.STATE[R]]=R;function C(e,t,r){e[t]&&e[t](r)}function v(e,t,r){e.textNode&&y(e),C(e,t,r)}function y(e){e.textNode=U(e.opt,e.textNode),e.textNode&&C(e,"ontext",e.textNode),e.textNode=""}function U(e,t){return e.trim&&(t=t.trim()),e.normalize&&(t=t.replace(/\s+/g," ")),t}function D(e,t){return y(e),e.trackPosition&&(t+="\nLine: "+e.line+"\nColumn: "+e.column+"\nChar: "+e.c),t=new Error(t),e.error=t,C(e,"onerror",t),e}function P(e){return e.sawRoot&&!e.closedRoot&&S(e,"Unclosed root tag"),e.state!==O.BEGIN&&e.state!==O.BEGIN_WHITESPACE&&e.state!==O.TEXT&&D(e,"Unexpected end"),y(e),e.c="",e.closed=!0,C(e,"onend"),s.call(e,e.strict,e.opt),e}function S(e,t){if("object"!=typeof e||!(e instanceof s))throw new Error("bad call to strictFail");e.strict&&D(e,t)}function F(e){e.strict||(e.tagName=e.tagName[e.looseCase]());var t=e.tags[e.tags.length-1]||e,r=e.tag={name:e.tagName,attributes:{}};e.opt.xmlns&&(r.ns=t.ns),e.attribList.length=0,v(e,"onopentagstart",r)}function w(e,t){var r=e.indexOf(":")<0?["",e]:e.split(":"),s=r[0],a=r[1];return t&&"xmlns"===e&&(s="xmlns",a=""),{prefix:s,local:a}}function G(e){if(e.strict||(e.attribName=e.attribName[e.looseCase]()),-1!==e.attribList.indexOf(e.attribName)||e.tag.attributes.hasOwnProperty(e.attribName))e.attribName=e.attribValue="";else{if(e.opt.xmlns){var t=w(e.attribName,!0),r=t.prefix,s=t.local;if("xmlns"===r)if("xml"===s&&e.attribValue!==c)S(e,"xml: prefix must be bound to "+c+"\nActual: "+e.attribValue);else if("xmlns"===s&&e.attribValue!==l)S(e,"xmlns: prefix must be bound to "+l+"\nActual: "+e.attribValue);else{var a=e.tag,i=e.tags[e.tags.length-1]||e;a.ns===i.ns&&(a.ns=Object.create(i.ns)),a.ns[s]=e.attribValue}e.attribList.push([e.attribName,e.attribValue])}else e.tag.attributes[e.attribName]=e.attribValue,v(e,"onattribute",{name:e.attribName,value:e.attribValue});e.attribName=e.attribValue=""}}function $(e,t){if(e.opt.xmlns){var r=e.tag,s=w(e.tagName);r.prefix=s.prefix,r.local=s.local,r.uri=r.ns[s.prefix]||"",r.prefix&&!r.uri&&(S(e,"Unbound namespace prefix: "+JSON.stringify(e.tagName)),r.uri=s.prefix);var a=e.tags[e.tags.length-1]||e;r.ns&&a.ns!==r.ns&&Object.keys(r.ns).forEach(function(t){v(e,"onopennamespace",{prefix:t,uri:r.ns[t]})});for(var i=0,o=e.attribList.length;i",void(e.state=O.TEXT);if(e.script){if("script"!==e.tagName)return e.script+=""+e.tagName+">",e.tagName="",void(e.state=O.SCRIPT);v(e,"onscript",e.script),e.script=""}var t=e.tags.length,r=e.tagName;e.strict||(r=r[e.looseCase]());for(var s=r;t--&&e.tags[t].name!==s;)S(e,"Unexpected close tag");if(t<0)return S(e,"Unmatched closing tag: "+e.tagName),e.textNode+=""+e.tagName+">",void(e.state=O.TEXT);e.tagName=r;for(var a=e.tags.length;a-- >t;){var i=e.tag=e.tags.pop();e.tagName=e.tag.name,v(e,"onclosetag",e.tagName);var o={};for(var n in i.ns)o[n]=i.ns[n];var c=e.tags[e.tags.length-1]||e;e.opt.xmlns&&i.ns!==c.ns&&Object.keys(i.ns).forEach(function(t){var r=i.ns[t];v(e,"onclosenamespace",{prefix:t,uri:r})})}0===t&&(e.closedRoot=!0),e.tagName=e.attribValue=e.attribName="",e.attribList.length=0,e.state=O.TEXT}function B(e){var t,r=e.entity,s=r.toLowerCase(),a="";return e.ENTITIES[r]?e.ENTITIES[r]:e.ENTITIES[s]?e.ENTITIES[s]:("#"===(r=s).charAt(0)&&("x"===r.charAt(1)?(r=r.slice(2),a=(t=parseInt(r,16)).toString(16)):(r=r.slice(1),a=(t=parseInt(r,10)).toString(10))),r=r.replace(/^0+/,""),isNaN(t)||a.toLowerCase()!==r?(S(e,"Invalid character entity"),"&"+e.entity+";"):String.fromCodePoint(t))}function x(e,t){"<"===t?(e.state=O.OPEN_WAKA,e.startTagPosition=e.position):f(t)||(S(e,"Non-whitespace before first tag."),e.textNode=t,e.state=O.TEXT)}function k(e,t){var r="";return t1114111||_(o)!==o)throw RangeError("Invalid code point: "+o);o<=65535?r.push(o):(e=55296+((o-=65536)>>10),t=o%1024+56320,r.push(e,t)),(s+1===a||r.length>16384)&&(i+=b.apply(null,r),r.length=0)}return i},Object.defineProperty?Object.defineProperty(String,"fromCodePoint",{value:L,configurable:!0,writable:!0}):String.fromCodePoint=L)}({}));var P=(e=>(e.ReservedName="reserved name",e.Character="character",e.Extension="extension",e))(P||{});class S extends Error{constructor(e){super(`Invalid ${e.reason} '${e.segment}' in filename '${e.filename}'`,{cause:e})}get filename(){return this.cause.filename}get reason(){return this.cause.reason}get segment(){return this.cause.segment}}function F(e){const t=(0,l.F)().files,r=t.forbidden_filename_characters??window._oc_config?.forbidden_filenames_characters??["/","\\"];for(const t of r)if(e.includes(t))throw new S({segment:t,reason:"character",filename:e});if(e=e.toLocaleLowerCase(),(t.forbidden_filenames??[".htaccess"]).includes(e))throw new S({filename:e,segment:e,reason:"reserved name"});const s=e.indexOf(".",1),a=e.substring(0,-1===s?void 0:s);if((t.forbidden_filename_basenames??[]).includes(a))throw new S({filename:e,segment:a,reason:"reserved name"});const i=t.forbidden_filename_extensions??[".part",".filepart"];for(const t of i)if(e.length>t.length&&e.endsWith(t))throw new S({segment:t,reason:"extension",filename:e})}const w=["B","KB","MB","GB","TB","PB"],G=["B","KiB","MiB","GiB","TiB","PiB"];function $(e,t=!1,r=!1,s=!1){r=r&&!s,"string"==typeof e&&(e=Number(e));let a=e>0?Math.floor(Math.log(e)/Math.log(s?1e3:1024)):0;a=Math.min((r?G.length:w.length)-1,a);const i=r?G[a]:w[a];let o=(e/Math.pow(s?1e3:1024,a)).toFixed(1);return!0===t&&0===a?("0.0"!==o?"< 1 ":"0 ")+(r?G[1]:w[1]):(o=a<2?parseFloat(o).toFixed(0):parseFloat(o).toLocaleString((0,d.lO)()),o+" "+i)}function M(e,t=!1){try{e=`${e}`.toLocaleLowerCase().replaceAll(/\s+/g,"").replaceAll(",",".")}catch(e){return null}const r=e.match(/^([0-9]*(\.[0-9]*)?)([kmgtp]?)(i?)b?$/);if(null===r||"."===r[1]||""===r[1])return null;const s=`${r[1]}`,a="i"===r[4]||t?1024:1e3;return Math.round(Number.parseFloat(s)*a**{"":0,k:1,m:2,g:3,t:4,p:5,e:6}[r[3]])}function B(e){return e instanceof Date?e.toISOString():String(e)}function x(e,t={}){const r={sortingMode:"basename",sortingOrder:"asc",...t};return function(e,t,r){r=r??[];const s=(t=t??[e=>e]).map((e,t)=>"asc"===(r[t]??"asc")?1:-1),a=Intl.Collator([(0,d.Z0)(),(0,d.lO)()],{numeric:!0,usage:"sort"});return[...e].sort((e,r)=>{for(const[i,o]of t.entries()){const t=a.compare(B(o(e)),B(o(r)));if(0!==t)return t*s[i]}return 0})}(e,[...r.sortFavoritesFirst?[e=>1!==e.attributes?.favorite]:[],...r.sortFoldersFirst?[e=>"folder"!==e.type]:[],..."basename"!==r.sortingMode?[e=>e[r.sortingMode]??e.attributes[r.sortingMode]]:[],e=>{return(t=e.displayname||e.attributes?.displayname||e.basename||"").lastIndexOf(".")>0?t.slice(0,t.lastIndexOf(".")):t;var t},e=>e.basename],[...r.sortFavoritesFirst?["asc"]:[],...r.sortFoldersFirst?["asc"]:[],..."mtime"===r.sortingMode?["asc"===r.sortingOrder?"desc":"asc"]:[],..."mtime"!==r.sortingMode&&"basename"!==r.sortingMode?[r.sortingOrder]:[],r.sortingOrder,r.sortingOrder])}},36620:(e,t,r)=>{"use strict";r.d(t,{A:()=>s});const s=(0,r(35947).YK)().setApp("settings").detectUser().build()},58723:(e,t)=>{function r(e,t){var s={name:e.name,path:e.path,hash:e.hash,query:e.query,params:e.params,fullPath:e.fullPath,meta:e.meta};return t&&(s.from=r(t)),Object.freeze(s)}t.O=function(e,t,s){var a=(s||{}).moduleName||"route";e.registerModule(a,{namespaced:!0,state:r(t.currentRoute),mutations:{ROUTE_CHANGED:function(t,s){e.state[a]=r(s.to,s.from)}}});var i,o=!1,n=e.watch(function(e){return e[a]},function(e){var r=e.fullPath;r!==i&&(null!=i&&(o=!0,t.push(e)),i=r)},{sync:!0}),c=t.afterEach(function(t,r){o?o=!1:(i=t.fullPath,e.commit(a+"/ROUTE_CHANGED",{to:t,from:r}))});return function(){null!=c&&c(),null!=n&&n(),e.unregisterModule(a)}}}},i={};function o(e){var t=i[e];if(void 0!==t)return t.exports;var r=i[e]={id:e,loaded:!1,exports:{}};return a[e].call(r.exports,r,r.exports,o),r.loaded=!0,r.exports}o.m=a,e=[],o.O=(t,r,s,a)=>{if(!r){var i=1/0;for(l=0;l=a)&&Object.keys(o.O).every(e=>o.O[e](r[c]))?r.splice(c--,1):(n=!1,a0&&e[l-1][2]>a;l--)e[l]=e[l-1];e[l]=[r,s,a]},o.n=e=>{var t=e&&e.__esModule?()=>e.default:()=>e;return o.d(t,{a:t}),t},o.d=(e,t)=>{for(var r in t)o.o(t,r)&&!o.o(e,r)&&Object.defineProperty(e,r,{enumerable:!0,get:t[r]})},o.f={},o.e=e=>Promise.all(Object.keys(o.f).reduce((t,r)=>(o.f[r](e,t),t),[])),o.u=e=>(({3239:"settings-users",4529:"settings-apps-view"}[e]||e)+"-"+e+".js?v="+{23:"fffc10d99246554f9388",459:"a3061b21bb6a7066cab4",640:"d3d98600d88fd55c7b27",1023:"065dd010137a6981ce7c",3239:"2d54ece08a14ffbd5af1",4529:"b9490d387f4002d95416",5771:"d141d1ad8187d99738b9",5810:"fc51f8aa95a9854d22fd",5862:"8bc76a21d9622c29e1a9",7471:"6423b9b898ffefeb7d1d",8474:"d060bb2e97b1499bd6b0",8737:"350f5f1e02ea90d51d63"}[e]),o.g=function(){if("object"==typeof globalThis)return globalThis;try{return this||new Function("return this")()}catch(e){if("object"==typeof window)return window}}(),o.o=(e,t)=>Object.prototype.hasOwnProperty.call(e,t),r={},s="nextcloud:",o.l=(e,t,a,i)=>{if(r[e])r[e].push(t);else{var n,c;if(void 0!==a)for(var u=document.getElementsByTagName("script"),l=0;l{n.onerror=n.onload=null,clearTimeout(m);var a=r[e];if(delete r[e],n.parentNode&&n.parentNode.removeChild(n),a&&a.forEach(e=>e(s)),t)return t(s)},m=setTimeout(p.bind(null,void 0,{type:"timeout",target:n}),12e4);n.onerror=p.bind(null,n.onerror),n.onload=p.bind(null,n.onload),c&&document.head.appendChild(n)}},o.r=e=>{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},o.nmd=e=>(e.paths=[],e.children||(e.children=[]),e),o.j=2689,(()=>{var e;o.g.importScripts&&(e=o.g.location+"");var t=o.g.document;if(!e&&t&&(t.currentScript&&"SCRIPT"===t.currentScript.tagName.toUpperCase()&&(e=t.currentScript.src),!e)){var r=t.getElementsByTagName("script");if(r.length)for(var s=r.length-1;s>-1&&(!e||!/^http(s?):/.test(e));)e=r[s--].src}if(!e)throw new Error("Automatic publicPath is not supported in this browser");e=e.replace(/^blob:/,"").replace(/#.*$/,"").replace(/\?.*$/,"").replace(/\/[^\/]+$/,"/"),o.p=e})(),(()=>{o.b=document.baseURI||self.location.href;var e={2689:0,5810:0};o.f.j=(t,r)=>{var s=o.o(e,t)?e[t]:void 0;if(0!==s)if(s)r.push(s[2]);else{var a=new Promise((r,a)=>s=e[t]=[r,a]);r.push(s[2]=a);var i=o.p+o.u(t),n=new Error;o.l(i,r=>{if(o.o(e,t)&&(0!==(s=e[t])&&(e[t]=void 0),s)){var a=r&&("load"===r.type?"missing":r.type),i=r&&r.target&&r.target.src;n.message="Loading chunk "+t+" failed.\n("+a+": "+i+")",n.name="ChunkLoadError",n.type=a,n.request=i,s[1](n)}},"chunk-"+t,t)}},o.O.j=t=>0===e[t];var t=(t,r)=>{var s,a,i=r[0],n=r[1],c=r[2],u=0;if(i.some(t=>0!==e[t])){for(s in n)o.o(n,s)&&(o.m[s]=n[s]);if(c)var l=c(o)}for(t&&t(r);uo(12836));n=o.O(n)})();
+//# sourceMappingURL=settings-vue-settings-apps-users-management.js.map?v=07ecd838b877b338d45a
\ No newline at end of file
diff --git a/dist/settings-vue-settings-apps-users-management.js.map b/dist/settings-vue-settings-apps-users-management.js.map
index 2f6d6b95124..3fca3230fc7 100644
--- a/dist/settings-vue-settings-apps-users-management.js.map
+++ b/dist/settings-vue-settings-apps-users-management.js.map
@@ -1 +1 @@
-{"version":3,"file":"settings-vue-settings-apps-users-management.js?v=c50cd59d09d48e782442","mappings":"UAAIA,ECAAC,EACAC,E,mFCQJ,MAAMC,EAAW,SAASC,GACzB,OAAOA,EAAIC,QAAQ,MAAO,GAC3B,EAEA,GAiCCC,aAAYA,KACJC,EAAAA,EAAAA,MAERC,IAAGA,CAACJ,EAAKK,IACDC,EAAAA,GAAMF,IAAIL,EAASC,GAAMK,GAEjCE,KAAIA,CAACP,EAAKQ,IACFF,EAAAA,GAAMC,KAAKR,EAASC,GAAMQ,GAElCC,MAAKA,CAACT,EAAKQ,IACHF,EAAAA,GAAMG,MAAMV,EAASC,GAAMQ,GAEnCE,IAAGA,CAACV,EAAKQ,IACDF,EAAAA,GAAMI,IAAIX,EAASC,GAAMQ,GAEjCG,OAAMA,CAACX,EAAKQ,IACJF,EAAAA,GAAMK,OAAOZ,EAASC,GAAM,CAAEY,OAAQJ,I,qGC5D/C,MCFsQ,GDEzOK,EAAAA,EAAAA,IAAiB,CAC1CC,OAAQ,cACRC,MAAMC,IACK,CAAEC,OAAO,EAAMC,UAASA,EAAAA,MEavC,GAXgB,E,SAAA,GACd,EFRW,WAAkB,IAAIC,EAAIC,KAAKC,EAAGF,EAAIG,MAAMD,GAAgC,OAAOA,EAA7BF,EAAIG,MAAMC,YAA6BL,UAAU,CAACM,MAAM,CAAC,WAAW,aAAa,CAACH,EAAG,cAAc,CAACG,MAAM,CAAC,KAAO,gBAAgBL,EAAIM,GAAG,KAAKJ,EAAG,eAAeF,EAAIM,GAAG,KAAKJ,EAAG,cAAc,CAACG,MAAM,CAAC,KAAO,cAAc,EAC7R,EACsB,IESpB,EACA,KACA,KACA,M,kCCbF,MAmDA,EA5Ce,CACX,CACIE,KAAM,QACNC,KAAM,qCACNC,WAAY,CACRC,QAPWC,IAAM,gEAQjBC,WAPqBC,IAAM,iEAS/BC,OAAO,EACPC,SAAU,CACN,CACIP,KAAM,iBACND,KAAM,WAIlB,CACIC,KAAM,oCACND,KAAM,OACNS,SAAU,CACNT,KAAM,gBACNd,OAAQ,CACJwB,UA7BQC,E,SAAAA,GAAU,WAAY,mBAAmB,GA6BrB,WAAa,cAGjDT,WAAY,CACRC,QA/BKS,IAAM,iEAgCXP,WA/BeQ,IAAM,iEAgCrBC,QA/BYC,IAAM,kEAiCtBP,SAAU,CACN,CACIP,KAAM,YACND,KAAM,gBACNQ,SAAU,CACN,CACIP,KAAM,MACND,KAAM,qBCrC9BgB,EAAAA,GAAIC,IAAIC,EAAAA,IACR,MAQA,EARe,IAAIA,EAAAA,GAAO,CACtBC,KAAM,UAGNC,MAAMC,EAAAA,EAAAA,IAAY,IAClBC,gBAAiB,SACjBC,OAAMA,I,qCCCVC,EAAAA,IAAoBC,EAAAA,EAAAA,MAEpBT,EAAAA,GAAIU,UAAUC,EAAIA,EAAAA,EAClBX,EAAAA,GAAIU,UAAUE,EAAIA,EAAAA,EAClBZ,EAAAA,GAAIC,IAAIY,EAAAA,IACRb,EAAAA,GAAIC,IAAIa,EAAAA,GAAgB,CAAEC,aAAa,IACvCf,EAAAA,GAAIC,IAAIe,EAAAA,IACR,MAAMC,GAAQC,EAAAA,EAAAA,MACdC,EAAAA,EAAAA,GAAKF,EAAOG,GACZ,MAAMC,GAAQC,EAAAA,EAAAA,MACd,IAAmBtB,EAAAA,GAAI,CACnBoB,OAAM,EACNH,MAAK,EACLI,MAAK,EACLE,OAAQC,GAAKA,EAAEC,GACfC,GAAI,Y,kKC1BD,MAAMC,EAAkBC,KAAKC,SAAS,EAACC,EAAAA,EAAAA,OAAeC,EAAAA,EAAAA,OAAuB,CAChFC,SAAS,EACTC,MAAO,S,yBCWX,MAAMC,GAAgBvC,EAAAA,EAAAA,GAAU,WAAY,gBAAiB,CAAC,GAExDwC,GAAeC,EAAAA,EAAAA,IAAW,YAAYC,SAAQ,GAAMC,QAEpDC,EAIE,CACNC,GAAI,GACJxD,KAAM,GACNyD,UAAW,EACXC,SAAU,EACVC,QAAQ,EACRC,WAAW,GAIPC,EAAQ,CACbC,MAAO,GACPC,OAAQ,IACHb,EAAcc,mBAAqB,MACnCd,EAAce,cAAgB,IAEnCC,QAAShB,EAAciB,YAAcC,EAAAA,EAAaC,UAClDC,kBAAmB,EACnBC,YAAa,EACbC,WAAY,GACZC,oBAAqB,EACrBC,mBAAoB,GACpBC,UAAWzB,EAAcyB,WAAa,EACtCC,WAAY,CACXC,gBAA+E,SAA9D1B,EAAa2B,QAAQ,qCACtCC,gBAA+E,SAA9D5B,EAAa2B,QAAQ,qCACtCE,eAA6E,SAA7D7B,EAAa2B,QAAQ,oCACrCG,cAA2E,SAA5D9B,EAAa2B,QAAQ,mCACpCI,gBAA+E,SAA9D/B,EAAa2B,QAAQ,qCACtCK,cAA2E,SAA5DhC,EAAa2B,QAAQ,qCAIhCM,EAAY,CACjBC,WAAAA,CAAYxB,EAAOyB,GAClB,MAAMC,EAAgB1B,EAAMC,MAAM0B,IAAIC,IAAA,IAAC,GAAEjC,GAAIiC,EAAA,OAAKjC,IAC5CkC,EAAWC,OAAOC,OAAON,GAC7BO,OAAOC,IAAA,IAAC,GAAEtC,GAAIsC,EAAA,OAAMP,EAAcQ,SAASvC,KAEvCM,EAAQD,EAAMC,MAAMkC,OAAON,GACjC7B,EAAMU,aAAeV,EAAMW,WAC3BX,EAAMC,MAAQA,CACf,EACAmC,mBAAAA,CAAoBpC,EAAOqC,GAC1BrC,EAAMY,qBAAuBZ,EAAMa,kBACpC,EACAyB,0BAAAA,CAA2BtC,EAAOuC,GACjCvC,EAAMS,kBAA+B,KAAX8B,EAAgBA,EAAS,CACpD,EAKAC,QAAAA,CAASxC,EAAOyC,GACf,IACC,QAAsE,IAA3DzC,EAAME,OAAOwC,KAAMC,GAAUA,EAAMhD,KAAO8C,EAAS9C,IAC7D,OAGD,MAAMgD,EAAQb,OAAOc,OAAO,CAAC,EAAGlD,EAAgB+C,GAChDzC,EAAME,OAAO2C,QAAQF,EACtB,CAAE,MAAOG,GACRC,QAAQC,MAAM,qBAAuBF,EACtC,CACD,EACAG,WAAAA,CAAYjD,EAAKkD,GAAwB,IAAtB,IAAEC,EAAG,YAAEC,GAAaF,EACtC,MAAMG,EAAarD,EAAME,OAAOoD,UAAUC,GAAeA,EAAY5D,KAAOwD,GAC5E,GAAIE,GAAc,EAAG,CACpB,MAAMG,EAAexD,EAAME,OAAOmD,GAClCG,EAAarH,KAAOiH,EACpBpD,EAAME,OAAOuD,OAAOJ,EAAY,EAAGG,EACpC,CACD,EACAE,WAAAA,CAAY1D,EAAOmD,GAClB,MAAME,EAAarD,EAAME,OAAOoD,UAAUC,GAAeA,EAAY5D,KAAOwD,GACxEE,GAAc,GACjBrD,EAAME,OAAOuD,OAAOJ,EAAY,EAElC,EACAM,YAAAA,CAAa3D,EAAK4D,GAAmB,IAAjB,OAAEC,EAAM,IAAEV,GAAKS,EAClC,MAAMjB,EAAQ3C,EAAME,OAAOwC,KAAKa,GAAeA,EAAY5D,KAAOwD,GAC5DW,EAAO9D,EAAMC,MAAMyC,KAAKoB,GAAQA,EAAKnE,KAAOkE,GAE9ClB,GAASmB,EAAKC,SAAW/D,EAAMc,UAAY,GAC9C6B,EAAM/C,YAEQkE,EAAK5D,OACb8D,KAAKb,EACb,EACAc,eAAAA,CAAgBjE,EAAKkE,GAAmB,IAAjB,OAAEL,EAAM,IAAEV,GAAKe,EACrC,MAAMvB,EAAQ3C,EAAME,OAAOwC,KAAKa,GAAeA,EAAY5D,KAAOwD,GAC5DW,EAAO9D,EAAMC,MAAMyC,KAAKoB,GAAQA,EAAKnE,KAAOkE,GAE9ClB,GAASmB,EAAKC,SAAW/D,EAAMc,UAAY,GAC9C6B,EAAM/C,YAEP,MAAMM,EAAS4D,EAAK5D,OACpBA,EAAOuD,OAAOvD,EAAOiE,QAAQhB,GAAM,EACpC,EACAiB,eAAAA,CAAgBpE,EAAKqE,GAAmB,IAAjB,OAAER,EAAM,IAAEV,GAAKkB,EACtBrE,EAAMC,MAAMyC,KAAKoB,GAAQA,EAAKnE,KAAOkE,GAAQS,SACrDN,KAAKb,EACb,EACAoB,kBAAAA,CAAmBvE,EAAKwE,GAAmB,IAAjB,OAAEX,EAAM,IAAEV,GAAKqB,EACxC,MAAMtE,EAASF,EAAMC,MAAMyC,KAAKoB,GAAQA,EAAKnE,KAAOkE,GAAQS,SAC5DpE,EAAOuD,OAAOvD,EAAOiE,QAAQhB,GAAM,EACpC,EACAsB,UAAAA,CAAWzE,EAAO6D,GACjB,MAAMa,EAAY1E,EAAMC,MAAMqD,UAAUQ,GAAQA,EAAKnE,KAAOkE,GAC5DhI,KAAK8I,OAAO,mBAAoB,CAAEb,KAAM9D,EAAMC,MAAMyE,GAAYE,WAAY,WAC5E5E,EAAMC,MAAMwD,OAAOiB,EAAW,EAC/B,EACAG,WAAAA,CAAY7E,EAAO8E,GAClB,MAAMhB,EAAOgB,EAAS7J,KAAK8J,IAAI9J,KAC/B+E,EAAMC,MAAM4C,QAAQiB,GACpBjI,KAAK8I,OAAO,mBAAoB,CAAEb,OAAMc,WAAY,UACrD,EACAI,iBAAAA,CAAkBhF,EAAKiF,GAAuB,IAArB,OAAEpB,EAAM,QAAEE,GAASkB,EAC3C,MAAMnB,EAAO9D,EAAMC,MAAMyC,KAAKoB,GAAQA,EAAKnE,KAAOkE,GAClDC,EAAKC,QAAUA,EACflI,KAAK8I,OAAO,mBAAoB,CAAEb,OAAMc,WAAYb,EAAU,SAAW,WAC1E,EAEAmB,gBAAAA,CAAiBlF,EAAKmF,GAAwB,IAAtB,KAAErB,EAAI,WAAEc,GAAYO,EAE3C,GAAwB,IAApBnF,EAAMc,UACT,OAGD,MAAMsE,EAAcpF,EAAME,OAAOwC,KAAKC,GAAsB,yBAAbA,EAAMhD,IAC/C0F,EAAgBrF,EAAME,OAAOwC,KAAKC,GAAsB,aAAbA,EAAMhD,IACvD,OAAQiF,GACR,IAAK,SACL,IAAK,UACJS,EAAczF,WAAakE,EAAKC,SAAW,EAAI,EAC/CqB,EAAYxF,WAAakE,EAAKC,QAAU,GAAK,EAC7C/D,EAAMc,WAAagD,EAAKC,QAAU,GAAK,EACvCD,EAAK5D,OAAOoF,QAAQC,IACnB,MAAM5C,EAAQ3C,EAAME,OAAOwC,KAAKa,GAAeA,EAAY5D,KAAO4F,GAC7D5C,IAGLA,EAAM9C,UAAYiE,EAAKC,SAAW,EAAI,KAEvC,MACD,IAAK,SACJqB,EAAYxF,YACZI,EAAMc,YAENgD,EAAK5D,OAAOoF,QAAQC,IACnB,MAAM5C,EAAQ3C,EAAME,OAAOwC,KAAKa,GAAeA,EAAY5D,KAAO4F,GAC7D5C,GAGLA,EAAM/C,cAEP,MACD,IAAK,SACAkE,EAAKC,SACRqB,EAAYxF,YACZI,EAAMc,YACNgD,EAAK5D,OAAOoF,QAAQC,IACnB,MAAM5C,EAAQ3C,EAAME,OAAOwC,KAAKa,GAAeA,EAAY5D,KAAO4F,GAC7D5C,EAILA,EAAM/C,YAHLmD,QAAQyC,KAAK,cAAgBD,EAAY,2CAM3CF,EAAczF,YACdkE,EAAK5D,OAAOoF,QAAQC,IACnB,MAAM5C,EAAQ3C,EAAME,OAAOwC,KAAKa,GAAeA,EAAY5D,KAAO4F,GAC7D5C,GAGLA,EAAM9C,cAGR,MACD,QACC4F,EAAAA,EAAOzC,MAAM,6CAA6C4B,MAG5D,EACAc,WAAAA,CAAY1F,EAAK2F,GAA0B,IAAxB,OAAE9B,EAAM,IAAE+B,EAAG,MAAEC,GAAOF,EACxC,GAAY,UAARC,EAAiB,CACpB,MAAME,GAAaC,EAAAA,EAAAA,IAAcF,GAAO,GACxC7F,EAAMC,MAAMyC,KAAKoB,GAAQA,EAAKnE,KAAOkE,GAAQ+B,GAAKA,GAAsB,OAAfE,EAAsBA,EAAaD,CAC7F,MACC7F,EAAMC,MAAMyC,KAAKoB,GAAQA,EAAKnE,KAAOkE,GAAQ+B,GAAOC,CAEtD,EAOAG,UAAAA,CAAWhG,GACVA,EAAMC,MAAQ,GACdD,EAAMU,YAAc,EACpBV,EAAMY,oBAAsB,CAC7B,EAOAqF,WAAAA,CAAYjG,GACXA,EAAME,OAAS,IACVb,EAAcc,mBAAqB,MACnCd,EAAce,cAAgB,GAEpC,EAEA8F,aAAAA,CAAclG,EAAKmG,GAAkB,IAAhB,IAAEP,EAAG,MAAEC,GAAOM,EAClC7G,EAAa8G,QAAQ,qBAAqBR,IAAOS,KAAKC,UAAUT,IAChE7F,EAAMe,WAAW6E,GAAOC,CACzB,EAEAU,eAAAA,CAAgBvG,EAAOwG,GACtB,MAAMC,EAAWzG,EAAMK,QACvBL,EAAMK,QAAUmG,EAGhBzL,EAAAA,GAAMC,MACLwC,EAAAA,EAAAA,IAAY,4CACZ,CACCqI,MAAOa,OAAOF,KAEdG,MAAO3D,IACRhD,EAAMK,QAAUoG,GAChBG,EAAAA,EAAAA,IAAU9I,EAAE,WAAY,gCACxB2H,EAAAA,EAAOzC,MAAMA,IAEf,GAGK6D,EAAU,CACfC,SAAS9G,GACDA,EAAMC,MAEd8G,UAAU/G,GACFA,EAAME,OAEdC,kBAAiBA,IACTd,EAAc2H,gBAAkB,GAGxCC,eAAAA,CAAgBjH,GACf,MAAME,EAAS,IAAIF,EAAME,QACzB,OAAIF,EAAMK,UAAYE,EAAAA,EAAaC,UAC3BN,EAAOgH,KAAK,CAACC,EAAGC,KACtB,MAAMC,EAAOF,EAAEvH,UAAYuH,EAAEtH,SACvByH,EAAOF,EAAExH,UAAYwH,EAAEvH,SAC7B,OAAQwH,EAAOC,EAAQ,EAAKA,EAAOD,GAAQ,EAAIvI,EAAgByI,QAAQJ,EAAEhL,KAAMiL,EAAEjL,QAG3E+D,EAAOgH,KAAK,CAACC,EAAGC,IAAMtI,EAAgByI,QAAQJ,EAAEhL,KAAMiL,EAAEjL,MAEjE,EACAqL,gBAAgBxH,GACRA,EAAMK,QAEdoH,2BAA2BzH,GACnBA,EAAMS,kBAEdiH,eAAe1H,GACPA,EAAMU,YAEdiH,cAAc3H,GACNA,EAAMW,WAEdiH,uBAAuB5H,GACfA,EAAMY,oBAEdiH,sBAAsB7H,GACdA,EAAMa,mBAEdiH,aAAa9H,GACLA,EAAMc,UAEdiH,cAAc/H,GACNA,EAAMe,YAITiH,EAAcjN,EAAAA,GAAMiN,YAC1B,IAAIC,EAA4B,KAEhC,MAweA,GAAiBjI,QAAOuB,YAAWsF,UAASqB,QAxe5B,CAYfC,WAAAA,CAAYC,EAAOC,GAA6B,IAA3B,OAAEC,EAAM,MAAEC,EAAK,OAAEC,GAAQH,EAG7C,OAFAG,EAA2B,iBAAXA,EAAsBA,EAAS,GAExCC,EAAAA,EAAI5N,KAAI6N,EAAAA,EAAAA,IAAe,oEAAqE,CAAEJ,SAAQC,QAAOC,YAAW7B,MAAO3D,IAChIjI,EAAAA,GAAAA,SAAeiI,IACnBoF,EAAQzD,OAAO,cAAe3B,IAGjC,EASA2F,QAAOA,CAACP,EAASQ,IACTH,EAAAA,EAAI5N,KAAI6N,EAAAA,EAAAA,IAAe,eAAeE,MAAWjC,MAAO3D,IACzDjI,EAAAA,GAAAA,SAAeiI,IACnBoF,EAAQzD,OAAO,cAAe3B,KAgBjC8D,QAAAA,CAASsB,EAAOS,GAAoC,IAAlC,OAAEP,EAAM,MAAEC,EAAK,OAAEC,EAAM,MAAE7F,GAAOkG,EAejD,OAdIZ,GACHA,EAA0Ba,OAAO,iDAElCb,EAA4BD,EAAYe,SACxCP,EAA2B,iBAAXA,EAAsBA,EAAS,GAO/CA,EAASA,EAAO9N,QAAQ,aAAc,IAAIsO,OAE1CrG,EAAyB,iBAAVA,EAAqBA,EAAQ,GAC9B,KAAVA,EACI8F,EAAAA,EAAI5N,KAAI6N,EAAAA,EAAAA,IAAe,mFAAoF,CAAE/F,MAAOsG,mBAAmBtG,GAAQ2F,SAAQC,QAAOC,WAAW,CAC/KU,YAAajB,EAA0BkB,QAEtCC,KAAMtE,IACN,MAAMuE,EAAavH,OAAOwH,KAAKxE,EAAS7J,KAAK8J,IAAI9J,KAAKgF,OAAOsC,OAI7D,OAHI8G,EAAa,GAChBjB,EAAQzD,OAAO,cAAeG,EAAS7J,KAAK8J,IAAI9J,KAAKgF,OAE/CoJ,IAEP1C,MAAO3D,IACFjI,EAAAA,GAAAA,SAAeiI,IACnBoF,EAAQzD,OAAO,cAAe3B,KAK3ByF,EAAAA,EAAI5N,KAAI6N,EAAAA,EAAAA,IAAe,oEAAqE,CAAEJ,SAAQC,QAAOC,WAAW,CAC9HU,YAAajB,EAA0BkB,QAEtCC,KAAMtE,IACN,MAAMuE,EAAavH,OAAOwH,KAAKxE,EAAS7J,KAAK8J,IAAI9J,KAAKgF,OAAOsC,OAI7D,OAHI8G,EAAa,GAChBjB,EAAQzD,OAAO,cAAeG,EAAS7J,KAAK8J,IAAI9J,KAAKgF,OAE/CoJ,IAEP1C,MAAO3D,IACFjI,EAAAA,GAAAA,SAAeiI,IACnBoF,EAAQzD,OAAO,cAAe3B,IAGlC,EAYA,oBAAMuG,CAAenB,EAAOoB,GAA6B,IAA3B,OAAElB,EAAM,MAAEC,EAAK,OAAEC,GAAQgB,EACtD,MAAM/O,GAAMiO,EAAAA,EAAAA,IAAe,mEAAoE,CAAEJ,SAAQC,QAAOC,WAChH,IACC,MAAM1D,QAAiB2D,EAAAA,EAAI5N,IAAIJ,GACzB4O,EAAavH,OAAOwH,KAAKxE,EAAS7J,KAAK8J,IAAI9J,KAAKgF,OAAOsC,OAI7D,OAHI8G,EAAa,GAChBjB,EAAQzD,OAAO,cAAeG,EAAS7J,KAAK8J,IAAI9J,KAAKgF,OAE/CoJ,CACR,CAAE,MAAOrG,GACRoF,EAAQzD,OAAO,cAAe3B,EAC/B,CACD,EAYA,sBAAMyG,CAAiBrB,EAAOsB,GAA6B,IAA3B,OAAEpB,EAAM,MAAEC,EAAK,OAAEC,GAAQkB,EACxD,MAAMjP,GAAMiO,EAAAA,EAAAA,IAAe,qEAAsE,CAAEJ,SAAQC,QAAOC,WAClH,IACC,MAAM1D,QAAiB2D,EAAAA,EAAI5N,IAAIJ,GACzB4O,EAAavH,OAAOwH,KAAKxE,EAAS7J,KAAK8J,IAAI9J,KAAKgF,OAAOsC,OAK7D,OAJI8G,EAAa,IAChBjB,EAAQzD,OAAO,cAAeG,EAAS7J,KAAK8J,IAAI9J,KAAKgF,OACrDmI,EAAQzD,OAAO,sBAAuBG,EAAS7J,KAAK8J,IAAI9J,KAAKgF,QAEvDoJ,CACR,CAAE,MAAOrG,GACRoF,EAAQzD,OAAO,cAAe3B,EAC/B,CACD,EAEA+D,SAAAA,CAAUqB,EAAOuB,GAA6B,IAA3B,OAAErB,EAAM,MAAEC,EAAK,OAAEC,GAAQmB,EAC3CnB,EAA2B,iBAAXA,EAAsBA,EAAS,GAC/C,MAAMoB,GAAwB,IAAXrB,EAAe,GAAK,UAAUA,IACjD,OAAOE,EAAAA,EAAI5N,KAAI6N,EAAAA,EAAAA,IAAe,+CAAgD,CAAEJ,SAAQE,WAAYoB,GAClGR,KAAMtE,GACFhD,OAAOwH,KAAKxE,EAAS7J,KAAK8J,IAAI9J,KAAKiF,QAAQqC,OAAS,IACvDuC,EAAS7J,KAAK8J,IAAI9J,KAAKiF,OAAOoF,QAAQ,SAAS3C,GAC9CyF,EAAQzD,OAAO,WAAY,CAAEhF,GAAIgD,EAAOxG,KAAMwG,GAC/C,IACO,IAIRgE,MAAO3D,GAAUoF,EAAQzD,OAAO,cAAe3B,GAClD,EAYA6G,gBAAAA,CAAiBzB,EAAO0B,GAA6B,IAA3B,OAAExB,EAAM,MAAEC,EAAK,OAAEC,GAAQsB,EAElD,OADAtB,EAA2B,iBAAXA,EAAsBA,EAAS,GACxCC,EAAAA,EAAI5N,KAAI6N,EAAAA,EAAAA,IAAe,oEAAqE,CAAEJ,SAAQC,QAAOC,YAClHY,KAAMtE,GACFhD,OAAOwH,KAAKxE,EAAS7J,KAAK8J,IAAI9J,KAAKgF,OAAOsC,OAAS,IACtD6F,EAAQzD,OAAO,cAAeG,EAAS7J,KAAK8J,IAAI9J,KAAKgF,QAC9C,IAIR0G,MAAO3D,GAAUoF,EAAQzD,OAAO,cAAe3B,GAClD,EAYA+G,iBAAAA,CAAkB3B,EAAO4B,GAA8B,IAA5B,QAAEC,EAAO,OAAE3B,EAAM,MAAEC,GAAOyB,EACpD,OAAOvB,EAAAA,EAAI5N,KAAI6N,EAAAA,EAAAA,IAAe,8DAA+D,CAAEwB,QAASjB,mBAAmBgB,GAAU3B,SAAQC,WAC3Ia,KAAMtE,GAAasD,EAAQzD,OAAO,mBAAoBG,EAAS7J,KAAK8J,IAAI9J,KAAKgF,QAC7E0G,MAAO3D,GAAUoF,EAAQzD,OAAO,cAAe3B,GAClD,EAEAyE,2BAA2BW,OACtB+B,EAAAA,EAAAA,KAAkBC,mBAAmBD,EAAAA,EAAAA,KAAkBC,gBAAgBC,aAC1EjC,EAAQzD,OAAO,8BAA8BwF,EAAAA,EAAAA,KAAkBC,gBAAgBC,YACxEF,EAAAA,EAAAA,KAAkBC,gBAAgBC,WAY3C7H,SAAQA,CAAC4F,EAASjF,IACVsF,EAAAA,EAAI9N,eAAeyO,KAAMtE,GACxB2D,EAAAA,EAAIzN,MAAK0N,EAAAA,EAAAA,IAAe,gBAAiB,CAAEuB,QAAS9G,IACzDiG,KAAMtE,IACNsD,EAAQzD,OAAO,WAAY,CAAEhF,GAAIwD,EAAKhH,KAAMgH,IACrC,CAAEA,MAAKC,YAAaD,KAE3BwD,MAAO3D,IAAY,MAAMA,KACzB2D,MAAO3D,IAIT,MAHAoF,EAAQzD,OAAO,cAAe,CAAExB,MAAKH,UAG/BA,IAYRC,WAAAA,CAAYmF,EAAOkC,GAA4B,IAA1B,QAAEL,EAAO,YAAE7G,GAAakH,EAC5C,OAAO7B,EAAAA,EAAI9N,eAAeyO,KAAMtE,GACxB2D,EAAAA,EAAItN,KAAIuN,EAAAA,EAAAA,IAAe,yBAA0B,CAAEwB,QAASjB,mBAAmBgB,KAAa,CAAErE,IAAK,cAAeC,MAAOzC,IAC9HgG,KAAMtE,IACNsD,EAAQzD,OAAO,cAAe,CAAExB,IAAK8G,EAAS7G,gBACvC,CAAE6G,UAAS7G,iBAElBuD,MAAO3D,IAAY,MAAMA,KACzB2D,MAAO3D,IAIT,MAHAoF,EAAQzD,OAAO,cAAe,CAAEsF,UAASjH,UAGnCA,GAER,EASAU,YAAWA,CAAC0E,EAASjF,IACbsF,EAAAA,EAAI9N,eAAeyO,KAAMtE,GACxB2D,EAAAA,EAAIrN,QAAOsN,EAAAA,EAAAA,IAAe,yBAA0B,CAAEwB,QAASjB,mBAAmB9F,MACvFiG,KAAMtE,GAAasD,EAAQzD,OAAO,cAAexB,IACjDwD,MAAO3D,IAAY,MAAMA,KACzB2D,MAAO3D,GAAUoF,EAAQzD,OAAO,cAAe,CAAExB,MAAKH,WAY1DW,YAAAA,CAAayE,EAAOmC,GAAmB,IAAjB,OAAE1G,EAAM,IAAEV,GAAKoH,EACpC,OAAO9B,EAAAA,EAAI9N,eAAeyO,KAAMtE,GACxB2D,EAAAA,EAAIzN,MAAK0N,EAAAA,EAAAA,IAAe,8BAA+B,CAAE7E,WAAW,CAAEoG,QAAS9G,IACpFiG,KAAMtE,GAAasD,EAAQzD,OAAO,eAAgB,CAAEd,SAAQV,SAC5DwD,MAAO3D,IAAY,MAAMA,KACzB2D,MAAO3D,GAAUoF,EAAQzD,OAAO,cAAe,CAAEd,SAAQb,UAC7D,EAWAiB,eAAAA,CAAgBmE,EAAOoC,GAAmB,IAAjB,OAAE3G,EAAM,IAAEV,GAAKqH,EACvC,OAAO/B,EAAAA,EAAI9N,eAAeyO,KAAMtE,GACxB2D,EAAAA,EAAIrN,QAAOsN,EAAAA,EAAAA,IAAe,8BAA+B,CAAE7E,WAAW,CAAEoG,QAAS9G,IACtFiG,KAAMtE,GAAasD,EAAQzD,OAAO,kBAAmB,CAAEd,SAAQV,SAC/DwD,MAAO3D,IAAY,MAAMA,KACzB2D,MAAO3D,IAIT,MAHAoF,EAAQzD,OAAO,cAAe,CAAEd,SAAQb,UAGlCA,GAER,EAWAoB,eAAAA,CAAgBgE,EAAOqC,GAAmB,IAAjB,OAAE5G,EAAM,IAAEV,GAAKsH,EACvC,OAAOhC,EAAAA,EAAI9N,eAAeyO,KAAMtE,GACxB2D,EAAAA,EAAIzN,MAAK0N,EAAAA,EAAAA,IAAe,iCAAkC,CAAE7E,WAAW,CAAEoG,QAAS9G,IACvFiG,KAAMtE,GAAasD,EAAQzD,OAAO,kBAAmB,CAAEd,SAAQV,SAC/DwD,MAAO3D,IAAY,MAAMA,KACzB2D,MAAO3D,GAAUoF,EAAQzD,OAAO,cAAe,CAAEd,SAAQb,UAC7D,EAWAuB,kBAAAA,CAAmB6D,EAAOsC,GAAmB,IAAjB,OAAE7G,EAAM,IAAEV,GAAKuH,EAC1C,OAAOjC,EAAAA,EAAI9N,eAAeyO,KAAMtE,GACxB2D,EAAAA,EAAIrN,QAAOsN,EAAAA,EAAAA,IAAe,iCAAkC,CAAE7E,WAAW,CAAEoG,QAAS9G,IACzFiG,KAAMtE,GAAasD,EAAQzD,OAAO,qBAAsB,CAAEd,SAAQV,SAClEwD,MAAO3D,IAAY,MAAMA,KACzB2D,MAAO3D,GAAUoF,EAAQzD,OAAO,cAAe,CAAEd,SAAQb,UAC7D,EASA,qBAAM2H,CAAgBvC,EAASvE,GAC9B,IAEC,aADM4E,EAAAA,EAAI9N,qBACG8N,EAAAA,EAAIzN,MAAK0N,EAAAA,EAAAA,IAAe,4BAA6B,CAAE7E,WACrE,CAAE,MAAOb,GAER,OADAoF,EAAQzD,OAAO,cAAe,CAAEd,SAAQb,UACjC4H,QAAQC,OAAO,IAAIC,MAAM,+BACjC,CACD,EASArG,WAAUA,CAAC2D,EAASvE,IACZ4E,EAAAA,EAAI9N,eAAeyO,KAAMtE,GACxB2D,EAAAA,EAAIrN,QAAOsN,EAAAA,EAAAA,IAAe,uBAAwB,CAAE7E,YACzDuF,KAAMtE,GAAasD,EAAQzD,OAAO,aAAcd,IAChD8C,MAAO3D,IAAY,MAAMA,KACzB2D,MAAO3D,GAAUoF,EAAQzD,OAAO,cAAe,CAAEd,SAAQb,WAqB7D+H,OAAAA,CAAOC,EAAAC,GAA6G,IAA5G,OAAEtG,EAAM,SAAEuG,GAAUF,GAAE,OAAEnH,EAAM,SAAEsH,EAAQ,YAAE/H,EAAW,MAAEgI,EAAK,OAAElL,EAAM,SAAEoE,EAAQ,MAAE+G,EAAK,SAAEC,EAAQ,QAAEC,GAASN,EACjH,OAAOxC,EAAAA,EAAI9N,eAAeyO,KAAMtE,GACxB2D,EAAAA,EAAIzN,MAAK0N,EAAAA,EAAAA,IAAe,eAAgB,CAAE7E,SAAQsH,WAAU/H,cAAagI,QAAOlL,SAAQoE,WAAU+G,QAAOC,WAAUC,YACxHnC,KAAMtE,GAAaoG,EAAS,cAAerH,GAAUiB,EAAS7J,KAAK8J,IAAI9J,KAAK0E,KAC5EgH,MAAO3D,IAAY,MAAMA,KACzB2D,MAAO3D,IAET,MADA2B,EAAO,cAAe,CAAEd,SAAQb,UAC1BA,GAER,EASA6B,YAAWA,CAACuD,EAASvE,IACb4E,EAAAA,EAAI9N,eAAeyO,KAAMtE,GACxB2D,EAAAA,EAAI5N,KAAI6N,EAAAA,EAAAA,IAAe,uBAAwB,CAAE7E,YACtDuF,KAAMtE,GAAasD,EAAQzD,OAAO,cAAeG,IACjD6B,MAAO3D,IAAY,MAAMA,KACzB2D,MAAO3D,GAAUoF,EAAQzD,OAAO,cAAe,CAAEd,SAAQb,WAY7DgC,iBAAAA,CAAkBoD,EAAOoD,GAA8B,IAA5B,OAAE3H,EAAM,QAAEE,GAAU,GAAMyH,EACpD,MAAMC,EAAa1H,EAAU,SAAW,UACxC,OAAO0E,EAAAA,EAAI9N,eAAeyO,KAAMtE,GACxB2D,EAAAA,EAAItN,KAAIuN,EAAAA,EAAAA,IAAe,oCAAqC,CAAE7E,SAAQ4H,gBAC3ErC,KAAMtE,GAAasD,EAAQzD,OAAO,oBAAqB,CAAEd,SAAQE,aACjE4C,MAAO3D,IAAY,MAAMA,KACzB2D,MAAO3D,GAAUoF,EAAQzD,OAAO,cAAe,CAAEd,SAAQb,UAC7D,EAYA,iBAAM0C,CAAY0C,EAAOsD,GAA0B,IAAxB,OAAE7H,EAAM,IAAE+B,EAAG,MAAEC,GAAO6F,EAIhD,IAFkB,CAAC,QAAS,WAAY,QAAS,cAAe,WAAY,WAE7DxJ,SAAS0D,GACvB,MAAM,IAAIkF,MAAM,wBAIjB,GAAc,KAAVjF,IARiB,CAAC,QAAS,cAAe,WAQZ3D,SAAS0D,GAC1C,MAAM,IAAIkF,MAAM,wCAGjB,IAGC,aAFMrC,EAAAA,EAAI9N,qBACJ8N,EAAAA,EAAItN,KAAIuN,EAAAA,EAAAA,IAAe,uBAAwB,CAAE7E,WAAW,CAAE+B,MAAKC,UAClEuC,EAAQzD,OAAO,cAAe,CAAEd,SAAQ+B,MAAKC,SACrD,CAAE,MAAO7C,GAER,MADAoF,EAAQzD,OAAO,cAAe,CAAEd,SAAQb,UAClCA,CACP,CACD,EASA2I,gBAAeA,CAACvD,EAASvE,IACjB4E,EAAAA,EAAI9N,eAAeyO,KAAMtE,GACxB2D,EAAAA,EAAIzN,MAAK0N,EAAAA,EAAAA,IAAe,+BAAgC,CAAE7E,YAC/DuF,KAAKtE,IAAY,GACjB6B,MAAO3D,IAAY,MAAMA,KACzB2D,MAAO3D,GAAUoF,EAAQzD,OAAO,cAAe,CAAEd,SAAQb,a,eCtxB9D,MAAMhD,EAAQ,CACb4L,KAAM,GACNC,SAAS/O,EAAAA,EAAAA,GAAU,WAAY,kBAAmB,IAClDgP,WAAY,GACZC,aAAajP,EAAAA,EAAAA,GAAU,WAAY,sBAAuB,GAC1DkP,QAAS,CAAC,EACVC,yBAA0B,KAC1BC,eAAepP,EAAAA,EAAAA,GAAU,WAAY,iBAAiB,IAGjDyE,EAAY,CAEjB4K,gBAAAA,CAAiBnM,EAAOgD,IACvB4D,EAAAA,EAAAA,IAAU9I,EAAE,WAAY,4DAA8D,OAASkF,EAAMA,MAAM8B,SAAS7J,KAAKA,KAAKmR,QAAS,CAAEC,QAAQ,IACjJtJ,QAAQC,MAAMhD,EAAOgD,EACtB,EAEAsJ,cAAAA,CAAetM,EAAK4B,GAA+B,IAA7B,WAAEkK,EAAU,YAAEC,GAAanK,EAChD5B,EAAM8L,WAAaA,EACnB9L,EAAM+L,YAAcA,CACrB,EAEAQ,gBAAAA,CAAiBvM,EAAOwM,GACvBxM,EAAMiM,yBAA2BO,CAClC,EAEAC,cAAAA,CAAezM,EAAO+L,GACrB/L,EAAM+L,YAAcA,CACrB,EAEAW,WAAAA,CAAY1M,EAAOnD,GAClBmD,EAAM8L,WAAW9H,KAAKnH,EACvB,EAEA8P,gBAAAA,CAAiB3M,EAAO4M,GAEvB5M,EAAM8L,WAAac,CACpB,EAEAC,UAAAA,CAAW7M,EAAO4L,GACjB5L,EAAM4L,KAAOA,CACd,EAEAkB,QAAAA,CAAS9M,EAAKiC,GAAoB,IAAlB,MAAE8K,EAAK,MAAE/J,GAAOf,EAC1B+K,MAAMC,QAAQF,KAClBA,EAAQ,CAACA,IAEVA,EAAMzH,QAAS4H,IACFlN,EAAM4L,KAAKlJ,KAAKyK,GAAOA,EAAIxN,KAAOuN,GAC1ClK,MAAQA,GAEd,EAEAoK,UAAAA,CAAWpN,EAAKkD,GAAoB,IAAlB,MAAE6J,EAAK,MAAE/J,GAAOE,EACrBlD,EAAM4L,KAAKlJ,KAAKyK,GAAOA,EAAIxN,KAAOoN,GAC1C/J,MAAQ,IACb,EAEAqK,SAAAA,CAAUrN,EAAK4D,GAAqB,IAAnB,MAAEmJ,EAAK,OAAE7M,GAAQ0D,EACjC,MAAMuJ,EAAMnN,EAAM4L,KAAKlJ,KAAKyK,GAAOA,EAAIxN,KAAOoN,GAC9CI,EAAIG,QAAS,EACbH,EAAIjN,OAASA,EACE,YAAXiN,EAAIxN,KACPK,EAAMkM,eAAgB,EAExB,EAEAqB,eAAAA,CAAgBvN,EAAKkE,GAAyB,IAAvB,MAAE6I,EAAK,WAAES,GAAYtJ,EAC3C,MAAMiJ,EAAMnN,EAAM4L,KAAKlJ,KAAKyK,GAAOA,EAAIxN,KAAOoN,GAC1CI,IACHA,EAAIK,YAA4B,IAAfA,EAEnB,EAEAC,UAAAA,CAAWzN,EAAO+M,GACjB,MAAMI,EAAMnN,EAAM4L,KAAKlJ,KAAKyK,GAAOA,EAAIxN,KAAOoN,GAC9CI,EAAIG,QAAS,EACbH,EAAIjN,OAAS,GACTiN,EAAIO,YACPP,EAAIQ,cAAe,GAEL,YAAXR,EAAIxN,KACPK,EAAMkM,eAAgB,EAExB,EAEA0B,YAAAA,CAAa5N,EAAO+M,GACnB/M,EAAM4L,KAAKlJ,KAAKyK,GAAOA,EAAIxN,KAAOoN,GAAOO,QAAS,EAClDtN,EAAM4L,KAAKlJ,KAAKyK,GAAOA,EAAIxN,KAAOoN,GAAO7M,OAAS,GAClDF,EAAM4L,KAAKlJ,KAAKyK,GAAOA,EAAIxN,KAAOoN,GAAOc,eAAgB,EACzD7N,EAAM4L,KAAKlJ,KAAKyK,GAAOA,EAAIxN,KAAOoN,GAAOe,WAAY,EACrD9N,EAAM4L,KAAKlJ,KAAKyK,GAAOA,EAAIxN,KAAOoN,GAAOY,cAAe,EACxD3N,EAAM4L,KAAKlJ,KAAKyK,GAAOA,EAAIxN,KAAOoN,GAAOS,YAAa,EACxC,YAAVT,IACH/M,EAAMkM,eAAgB,EAExB,EAEA6B,SAAAA,CAAU/N,EAAO+M,GAChB,MAAMI,EAAMnN,EAAM4L,KAAKlJ,KAAKyK,GAAOA,EAAIxN,KAAOoN,GACxCiB,EAAUb,EAAIc,OACpBd,EAAIc,OAAS,KACbd,EAAIa,QAAUA,EACdhO,EAAM+L,aAEP,EAEAmC,SAAAA,CAAUlO,GACTA,EAAM4L,KAAO,EACd,EACAuC,KAAAA,CAAMnO,GACLA,EAAM4L,KAAO,GACb5L,EAAM8L,WAAa,GACnB9L,EAAM+L,YAAc,CACrB,EACAqC,YAAAA,CAAapO,EAAOL,GACfqN,MAAMC,QAAQtN,GACjBA,EAAG2F,QAAS4H,IACX/P,EAAAA,GAAAA,IAAQ6C,EAAMgM,QAASkB,GAAK,KAG7B/P,EAAAA,GAAAA,IAAQ6C,EAAMgM,QAASrM,GAAI,EAE7B,EACA0O,WAAAA,CAAYrO,EAAOL,GACdqN,MAAMC,QAAQtN,GACjBA,EAAG2F,QAAS4H,IACX/P,EAAAA,GAAAA,IAAQ6C,EAAMgM,QAASkB,GAAK,KAG7B/P,EAAAA,GAAAA,IAAQ6C,EAAMgM,QAASrM,GAAI,EAE7B,GA6BKuI,EAAU,CAEfmF,SAAAA,CAAUjF,EAAO/D,GAAqB,IACjCuH,GADc,MAAEmB,EAAK,OAAE7M,GAAQmE,EAOnC,OAJCuH,EADGoB,MAAMC,QAAQF,GACVA,EAEA,CAACA,GAEFtE,EAAAA,EAAI9N,eAAeyO,KAAMtE,IAC/BsD,EAAQzD,OAAO,eAAgBiH,GAC/BxD,EAAQzD,OAAO,eAAgB,WACxB8D,EAAAA,EAAIzN,MAAKwC,EAAAA,EAAAA,IAAY,wBAAyB,CAAE8Q,OAAQ1C,EAAM1L,WACnEkJ,KAAMtE,IACNsD,EAAQzD,OAAO,cAAeiH,GAC9BxD,EAAQzD,OAAO,cAAe,WAC9BiH,EAAKtG,QAAQiJ,IACZnG,EAAQzD,OAAO,YAAa,CAAEoI,MAAOwB,EAAQrO,aAIvCnF,EAAAA,GAAMF,KAAI2C,EAAAA,EAAAA,IAAY,gBAC3B4L,KAAK,KACDtE,EAAS7J,KAAKuT,mBACjBC,EAAAA,EAAAA,IACC3Q,EACC,WACA,6GAED,CACC4Q,QAASA,IAAMC,OAAOC,SAASC,SAC/BC,OAAO,IAITC,WAAW,WACVH,SAASC,QACV,EAAG,QAGJlI,MAAM,KACDqG,MAAMC,QAAQF,MAClBnG,EAAAA,EAAAA,IAAU9I,EAAE,WAAY,2EACxBsK,EAAQzD,OAAO,WAAY,CAC1BoI,MAAOnB,EACP5I,MAAOlF,EAAE,WAAY,4EAEtBsK,EAAQ8C,SAAS,aAAc,CAAE6B,eAIpCpG,MAAO3D,IACPoF,EAAQzD,OAAO,cAAeiH,GAC9BxD,EAAQzD,OAAO,cAAe,WAC9ByD,EAAQzD,OAAO,WAAY,CAC1BoI,MAAOnB,EACP5I,MAAOA,EAAM8B,SAAS7J,KAAKA,KAAKmR,UAEjChE,EAAQzD,OAAO,mBAAoB,CAAEoI,QAAO/J,cAE5C2D,MAAO3D,GAAUoF,EAAQzD,OAAO,cAAe,CAAEoI,QAAO/J,UAC5D,EACAgM,cAAAA,CAAe5G,EAAO5D,GAAqB,IACtCoH,GADmB,MAAEmB,EAAK,OAAE7M,GAAQsE,EAOxC,OAJCoH,EADGoB,MAAMC,QAAQF,GACVA,EAEA,CAACA,GAEFtE,EAAAA,EAAI9N,eAAeyO,KAAK,KAC9BhB,EAAQzD,OAAO,eAAgBiH,GAC/BxD,EAAQzD,OAAO,eAAgB,WACxB8D,EAAAA,EAAIzN,MAAKwC,EAAAA,EAAAA,IAAY,uBAAwB,CAAEuP,UACpD3D,KAAMtE,IACNsD,EAAQzD,OAAO,kBAAmB,CAAEoI,QAAOS,YAAY,MAEvD7G,MAAO3D,IACPoF,EAAQzD,OAAO,cAAeiH,GAC9BxD,EAAQzD,OAAO,cAAe,WAC9ByD,EAAQzD,OAAO,WAAY,CAC1BoI,MAAOnB,EACP5I,MAAOA,EAAM8B,SAAS7J,KAAKA,KAAKmR,UAEjChE,EAAQzD,OAAO,mBAAoB,CAAEoI,QAAO/J,YAE5CiM,QAAQ,KACR7G,EAAQzD,OAAO,cAAeiH,GAC9BxD,EAAQzD,OAAO,cAAe,eAE9BgC,MAAO3D,GAAUoF,EAAQzD,OAAO,cAAe,CAAEoI,QAAO/J,UAC5D,EACAyK,UAAAA,CAAWrF,EAAOnD,GAAa,IAC1B2G,GADe,MAAEmB,GAAO9H,EAO5B,OAJC2G,EADGoB,MAAMC,QAAQF,GACVA,EAEA,CAACA,GAEFtE,EAAAA,EAAI9N,eAAeyO,KAAMtE,IAC/BsD,EAAQzD,OAAO,eAAgBiH,GACxBnD,EAAAA,EAAIzN,MAAKwC,EAAAA,EAAAA,IAAY,yBAA0B,CAAE8Q,OAAQ1C,IAC9DxC,KAAMtE,IACNsD,EAAQzD,OAAO,cAAeiH,GAC9BA,EAAKtG,QAAQiJ,IACZnG,EAAQzD,OAAO,aAAc4J,MAEvB,IAEP5H,MAAO3D,IACPoF,EAAQzD,OAAO,cAAeiH,GAC9BxD,EAAQzD,OAAO,mBAAoB,CAAEoI,QAAO/J,cAE5C2D,MAAO3D,GAAUoF,EAAQzD,OAAO,cAAe,CAAEoI,QAAO/J,UAC5D,EACA4K,YAAAA,CAAaxF,EAAOjD,GAAa,IAAX,MAAE4H,GAAO5H,EAC9B,OAAOsD,EAAAA,EAAI9N,eAAeyO,KAAMtE,IAC/BsD,EAAQzD,OAAO,eAAgBoI,GACxBtE,EAAAA,EAAI5N,KAAI2C,EAAAA,EAAAA,IAAY,2BAA2BuP,MACpD3D,KAAMtE,IACNsD,EAAQzD,OAAO,cAAeoI,GAC9B3E,EAAQzD,OAAO,eAAgBoI,IACxB,IAEPpG,MAAO3D,IACPoF,EAAQzD,OAAO,cAAeoI,GAC9B3E,EAAQzD,OAAO,mBAAoB,CAAEoI,QAAO/J,cAE5C2D,MAAO3D,GAAUoF,EAAQzD,OAAO,cAAe,CAAEoI,QAAO/J,UAC5D,EAEA+K,SAAAA,CAAU3F,EAAOzC,GAAa,IAAX,MAAEoH,GAAOpH,EAC3B,OAAO8C,EAAAA,EAAI9N,eAAeyO,KAAMtE,IAC/BsD,EAAQzD,OAAO,eAAgBoI,GAC/B3E,EAAQzD,OAAO,eAAgB,WACxB8D,EAAAA,EAAI5N,KAAI2C,EAAAA,EAAAA,IAAY,wBAAwBuP,MACjD3D,KAAMtE,IACNsD,EAAQzD,OAAO,cAAe,WAC9ByD,EAAQzD,OAAO,cAAeoI,GAC9B3E,EAAQzD,OAAO,YAAaoI,IACrB,IAEPpG,MAAO3D,IACPoF,EAAQzD,OAAO,cAAeoI,GAC9B3E,EAAQzD,OAAO,cAAe,WAC9ByD,EAAQzD,OAAO,mBAAoB,CAAEoI,QAAO/J,cAE5C2D,MAAO3D,GAAUoF,EAAQzD,OAAO,cAAe,CAAEoI,QAAO/J,UAC5D,EAEAkM,WAAW9G,IACVA,EAAQzD,OAAO,eAAgB,QACxB8D,EAAAA,EAAI5N,KAAI2C,EAAAA,EAAAA,IAAY,uBACzB4L,KAAMtE,IACNsD,EAAQzD,OAAO,aAAcG,EAAS7J,KAAK2Q,MAC3CxD,EAAQzD,OAAO,cAAe,SACvB,IAEPgC,MAAO3D,GAAUoF,EAAQzD,OAAO,cAAe3B,KAGlD,mBAAMmM,CAAc/G,GAAmD,IAA1C,wBAAEgH,GAA0B,GAAOC,UAAA9M,OAAA,QAAA+M,IAAAD,UAAA,GAAAA,UAAA,GAAG,CAAC,EACnE,GAAID,IAA4BhH,EAAQpI,MAAMiM,yBAA0B,CACvE7D,EAAQzD,OAAO,eAAgB,cAC/B,IACC,MAAM6H,EAAoB/D,EAAAA,EAAI5N,KAAI2C,EAAAA,EAAAA,IAAY,6BAC9C4K,EAAQzD,OAAO,mBAAoB6H,GACnC,MAAM+C,QAAkC/C,EACxC,OAAI+C,EAA0BtU,KAAKsH,OAAS,GAC3C6F,EAAQzD,OAAO,mBAAoB4K,EAA0BtU,MAC7DmN,EAAQzD,OAAO,cAAe,eACvB,IAERyD,EAAQzD,OAAO,cAAe,eACvB,EACR,CAAE,MAAO3B,GACRoF,EAAQzD,OAAO,cAAe3B,EAC/B,CACD,CACA,OAAOoF,EAAQpI,MAAMiM,wBACtB,GAID,GAAiBjM,MAAK,EAAEuB,UAAS,EAAEsF,QAjNnB,CACf2I,gBAAgBxP,GACRA,EAAMkM,cAEdF,QAAQhM,GACA,SAASL,GACf,OAAOK,EAAMgM,QAAQrM,EACtB,EAEDwP,cAAcnP,GACNA,EAAM8L,WAEdoD,WAAWlP,GACHA,EAAM4L,KAEd6D,cAAczP,GACNA,EAAM6L,QAEd6D,eAAe1P,GACPA,EAAM+L,YAEd4D,gBAAkB3P,GAAW4P,GACrB5P,EAAM8L,WAAWpJ,KAAM7F,GAAaA,EAAS8C,KAAOiQ,IA2LjB1H,QAAOA,GC7V7ClI,EAAQ,CACb6P,YAAY/S,EAAAA,EAAAA,GAAU,WAAY,gBAAiB,CAAC,IAE/CyE,EAAY,CACjBuO,aAAAA,CAAc9P,EAAO/E,GACpB+E,EAAM6P,WAAa5U,CACpB,GASD,GAAiB+E,MAAK,EAAEuB,UAAS,EAAEsF,QAPnB,CACfkJ,cAAc/P,GACNA,EAAM6P,YAK6B3H,QAF5B,CAAC,GCUjB,GAAiBlI,MAtBH,CAAC,EAsBSuB,UArBN,CAAC,EAqBgBsF,QApBnB,CAAC,EAoB2BqB,QAnB5B,CAWf8H,YAAAA,CAAa5H,EAAOxG,GAAuB,IAArB,IAAEuL,EAAG,IAAEvH,EAAG,MAAEC,GAAOjE,EACxC,OAAO6G,EAAAA,EAAI9N,eAAeyO,KAAMtE,GACxB2D,EAAAA,EAAIzN,MAAK0N,EAAAA,EAAAA,IAAe,uDAAwD,CAAEyE,MAAKvH,QAAQ,CAAEC,UACtGc,MAAO3D,IAAY,MAAMA,KACzB2D,MAAO3D,GAAUoF,EAAQzD,OAAO,cAAe,CAAEwI,MAAKvH,MAAKC,QAAO7C,UACtE,ICbKzB,EAAY,CACjB0O,WAAAA,CAAYjQ,EAAOgD,GAClB,IACC,MAAMoJ,EAAUpJ,EAAMA,MAAM8B,SAAS7J,KAAK8J,IAAImL,KAAK9D,SACnDxF,EAAAA,EAAAA,IAAU9I,EAAE,WAAY,4DAA8D,OAASsO,EAAS,CAAEC,QAAQ,GACnH,CAAE,MAAOvJ,IACR8D,EAAAA,EAAAA,IAAU9I,EAAE,WAAY,4DACzB,CACAiF,QAAQC,MAAMhD,EAAOgD,EACtB,GAGD,IAAI5E,EAAQ,KAEL,MAAMC,EAAWA,KACT,OAAVD,IACHA,EAAQ,IAAI+R,EAAAA,GAAM,CACjBC,QAAS,CACRnQ,MAAK,EACL2L,KAAI,EACJyE,SAAQ,EACRC,GAAEA,GAEHC,QAzBWC,EA0BXjP,UAASA,KAGJnD,E,+BClCD,IAAImC,E,iBACX,SAAWA,GACPA,EAAaA,EAAwB,UAAI,GAAK,YAC9CA,EAAaA,EAAwB,UAAI,GAAK,WACjD,CAHD,CAGGA,IAAiBA,EAAe,CAAC,G,+KCwLhCkQ,EACAC,EASAC,EACAC,E,yFATJ,SAASC,IACP,GAAIH,EAAkB,OAAOD,EAC7BC,EAAmB,EACnB,MAAMI,EAA2B,iBAAZN,GAAwBA,EAAQO,KAAOP,EAAQO,IAAIC,YAAc,cAAcC,KAAKT,EAAQO,IAAIC,YAAc,IAAIE,IAASnO,QAAQC,MAAM,YAAakO,GAAQ,OAGnL,OADAT,EAAUK,CAEZ,CAGA,SAASK,IACP,GAAIP,EAAsB,OAAOD,EACjCC,EAAuB,EACvB,MAEMQ,EAAmBC,OAAOD,kBAChC,iBAsBA,OAVAT,EAAY,CACVW,WAfiB,IAgBjBC,0BAbgC,GAchCC,sBAb4BF,IAc5BF,mBACAK,cAdoB,CACpB,QACA,WACA,QACA,WACA,QACA,WACA,cAQAC,oBArB0B,QAsB1BC,wBAAyB,EACzBC,WAAY,EAGhB,CACA,IACIC,EAuFAC,EACAC,EAkBAC,EACAC,EAqBAC,EACAC,EAsPAC,EACAC,EAqBAC,EACAC,EAcAC,EACAC,EA9ZAC,EAAK,CAAEC,QAAS,CAAC,GAmIrB,SAASC,IACP,GAAIT,EAAmB,OAAOD,EAC9BC,EAAoB,EACpB,MAAMrB,EAAQD,KACR,WAAES,EAAU,iBAAEF,GAAqBD,KACjC0B,OAAQC,EAAKhV,EAAGiV,IArIpBlB,IACJA,EAAgB,EAChB,SAAUmB,EAAQL,GAChB,MAAM,0BACJpB,EAAyB,sBACzBC,EAAqB,WACrBF,GACEH,IACEL,EAAQD,IAERiC,GADNH,EAAUK,EAAOL,QAAU,CAAC,GACRD,GAAK,GACnBG,EAASF,EAAQE,OAAS,GAC1BI,EAAMN,EAAQM,IAAM,GACpBF,EAAKJ,EAAQ7U,EAAI,CAAC,EACxB,IAAIoV,EAAI,EACR,MAAMC,EAAmB,eACnBC,EAAwB,CAC5B,CAAC,MAAO,GACR,CAAC,MAAO9B,GACR,CAAC6B,EAAkB3B,IAQf6B,EAAc,CAAClX,EAAM0J,EAAOyN,KAChC,MAAMC,EAPc,CAAC1N,IACrB,IAAK,MAAOsD,EAAOqK,KAAQJ,EACzBvN,EAAQA,EAAM4N,MAAM,GAAGtK,MAAUuK,KAAK,GAAGvK,OAAWqK,MAAQC,MAAM,GAAGtK,MAAUuK,KAAK,GAAGvK,OAAWqK,MAEpG,OAAO3N,GAGM8N,CAAc9N,GACrB+N,EAAQV,IACdpC,EAAM3U,EAAMyX,EAAO/N,GACnBkN,EAAG5W,GAAQyX,EACXX,EAAIW,GAAS/N,EACbiN,EAAIc,GAAS,IAAIC,OAAOhO,EAAOyN,EAAW,SAAM,GAChDT,EAAOe,GAAS,IAAIC,OAAON,EAAMD,EAAW,SAAM,IAEpDD,EAAY,oBAAqB,eACjCA,EAAY,yBAA0B,QACtCA,EAAY,uBAAwB,gBAAgBF,MACpDE,EAAY,cAAe,IAAIJ,EAAIF,EAAGe,0BAA0Bb,EAAIF,EAAGe,0BAA0Bb,EAAIF,EAAGe,uBACxGT,EAAY,mBAAoB,IAAIJ,EAAIF,EAAGgB,+BAA+Bd,EAAIF,EAAGgB,+BAA+Bd,EAAIF,EAAGgB,4BACvHV,EAAY,uBAAwB,MAAMJ,EAAIF,EAAGe,sBAAsBb,EAAIF,EAAGiB,0BAC9EX,EAAY,4BAA6B,MAAMJ,EAAIF,EAAGgB,2BAA2Bd,EAAIF,EAAGiB,0BACxFX,EAAY,aAAc,QAAQJ,EAAIF,EAAGkB,8BAA8BhB,EAAIF,EAAGkB,6BAC9EZ,EAAY,kBAAmB,SAASJ,EAAIF,EAAGmB,mCAAmCjB,EAAIF,EAAGmB,kCACzFb,EAAY,kBAAmB,GAAGF,MAClCE,EAAY,QAAS,UAAUJ,EAAIF,EAAGoB,yBAAyBlB,EAAIF,EAAGoB,wBACtEd,EAAY,YAAa,KAAKJ,EAAIF,EAAGqB,eAAenB,EAAIF,EAAGsB,eAAepB,EAAIF,EAAGuB,WACjFjB,EAAY,OAAQ,IAAIJ,EAAIF,EAAGwB,eAC/BlB,EAAY,aAAc,WAAWJ,EAAIF,EAAGyB,oBAAoBvB,EAAIF,EAAG0B,oBAAoBxB,EAAIF,EAAGuB,WAClGjB,EAAY,QAAS,IAAIJ,EAAIF,EAAG2B,gBAChCrB,EAAY,OAAQ,gBACpBA,EAAY,wBAAyB,GAAGJ,EAAIF,EAAGgB,mCAC/CV,EAAY,mBAAoB,GAAGJ,EAAIF,EAAGe,8BAC1CT,EAAY,cAAe,YAAYJ,EAAIF,EAAG4B,4BAA4B1B,EAAIF,EAAG4B,4BAA4B1B,EAAIF,EAAG4B,wBAAwB1B,EAAIF,EAAGsB,gBAAgBpB,EAAIF,EAAGuB,eAC1KjB,EAAY,mBAAoB,YAAYJ,EAAIF,EAAG6B,iCAAiC3B,EAAIF,EAAG6B,iCAAiC3B,EAAIF,EAAG6B,6BAA6B3B,EAAIF,EAAG0B,qBAAqBxB,EAAIF,EAAGuB,eACnMjB,EAAY,SAAU,IAAIJ,EAAIF,EAAG8B,YAAY5B,EAAIF,EAAG+B,iBACpDzB,EAAY,cAAe,IAAIJ,EAAIF,EAAG8B,YAAY5B,EAAIF,EAAGgC,sBACzD1B,EAAY,cAAe,oBAAyB9B,mBAA2CA,qBAA6CA,SAC5I8B,EAAY,SAAU,GAAGJ,EAAIF,EAAGiC,4BAChC3B,EAAY,aAAcJ,EAAIF,EAAGiC,aAAe,MAAM/B,EAAIF,EAAGsB,mBAAmBpB,EAAIF,EAAGuB,wBACvFjB,EAAY,YAAaJ,EAAIF,EAAGkC,SAAS,GACzC5B,EAAY,gBAAiBJ,EAAIF,EAAGmC,aAAa,GACjD7B,EAAY,YAAa,WACzBA,EAAY,YAAa,SAASJ,EAAIF,EAAGoC,kBAAkB,GAC3DxC,EAAQyC,iBAAmB,MAC3B/B,EAAY,QAAS,IAAIJ,EAAIF,EAAGoC,aAAalC,EAAIF,EAAG+B,iBACpDzB,EAAY,aAAc,IAAIJ,EAAIF,EAAGoC,aAAalC,EAAIF,EAAGgC,sBACzD1B,EAAY,YAAa,WACzBA,EAAY,YAAa,SAASJ,EAAIF,EAAGsC,kBAAkB,GAC3D1C,EAAQ2C,iBAAmB,MAC3BjC,EAAY,QAAS,IAAIJ,EAAIF,EAAGsC,aAAapC,EAAIF,EAAG+B,iBACpDzB,EAAY,aAAc,IAAIJ,EAAIF,EAAGsC,aAAapC,EAAIF,EAAGgC,sBACzD1B,EAAY,kBAAmB,IAAIJ,EAAIF,EAAG8B,aAAa5B,EAAIF,EAAG2B,oBAC9DrB,EAAY,aAAc,IAAIJ,EAAIF,EAAG8B,aAAa5B,EAAIF,EAAGwB,mBACzDlB,EAAY,iBAAkB,SAASJ,EAAIF,EAAG8B,aAAa5B,EAAIF,EAAG2B,eAAezB,EAAIF,EAAG+B,iBAAiB,GACzGnC,EAAQ4C,sBAAwB,SAChClC,EAAY,cAAe,SAASJ,EAAIF,EAAG+B,0BAA0B7B,EAAIF,EAAG+B,sBAC5EzB,EAAY,mBAAoB,SAASJ,EAAIF,EAAGgC,+BAA+B9B,EAAIF,EAAGgC,2BACtF1B,EAAY,OAAQ,mBACpBA,EAAY,OAAQ,6BACpBA,EAAY,UAAW,8BACxB,CAhFD,CAgFGX,EAAIA,EAAGC,UAlFgBD,EAAGC,SAsIvB6C,EA/CR,WACE,GAAIzD,EAAyB,OAAOD,EACpCC,EAA0B,EAC1B,MAAM0D,EAAc3T,OAAO4T,OAAO,CAAEC,OAAO,IACrCC,EAAY9T,OAAO4T,OAAO,CAAC,GAWjC,OADA5D,EATsBhX,GACfA,EAGkB,iBAAZA,EACF2a,EAEF3a,EALE8a,CASb,CA+BuBC,IACf,mBAAEC,GA7BV,WACE,GAAI7D,EAAwB,OAAOD,EACnCC,EAAyB,EACzB,MAAM9S,EAAU,WACV2W,EAAqB,CAACC,EAAIC,KAC9B,MAAMC,EAAO9W,EAAQ8R,KAAK8E,GACpBG,EAAO/W,EAAQ8R,KAAK+E,GAK1B,OAJIC,GAAQC,IACVH,GAAMA,EACNC,GAAMA,GAEDD,IAAOC,EAAK,EAAIC,IAASC,GAAQ,EAAIA,IAASD,EAAO,EAAIF,EAAKC,GAAM,EAAI,GAOjF,OAJAhE,EAAc,CACZ8D,qBACAK,oBAH0B,CAACJ,EAAIC,IAAOF,EAAmBE,EAAID,GAMjE,CAUiCK,GAC/B,MAAMC,EACJ,WAAAC,CAAYtI,EAASlT,GAEnB,GADAA,EAAU0a,EAAa1a,GACnBkT,aAAmBqI,EAAQ,CAC7B,GAAIrI,EAAQ2H,UAAY7a,EAAQ6a,OAAS3H,EAAQuI,sBAAwBzb,EAAQyb,kBAC/E,OAAOvI,EAEPA,EAAUA,EAAQA,OAEtB,MAAO,GAAuB,iBAAZA,EAChB,MAAM,IAAIwI,UAAU,uDAAuDxI,OAE7E,GAAIA,EAAQzL,OAAS+O,EACnB,MAAM,IAAIkF,UACR,0BAA0BlF,gBAG9BR,EAAM,SAAU9C,EAASlT,GACzBe,KAAKf,QAAUA,EACfe,KAAK8Z,QAAU7a,EAAQ6a,MACvB9Z,KAAK0a,oBAAsBzb,EAAQyb,kBACnC,MAAME,EAAKzI,EAAQhF,OAAO0N,MAAM5b,EAAQ6a,MAAQ7C,EAAIC,EAAG4D,OAAS7D,EAAIC,EAAG6D,OACvE,IAAKH,EACH,MAAM,IAAID,UAAU,oBAAoBxI,KAM1C,GAJAnS,KAAKgb,IAAM7I,EACXnS,KAAKib,OAASL,EAAG,GACjB5a,KAAKkb,OAASN,EAAG,GACjB5a,KAAKX,OAASub,EAAG,GACb5a,KAAKib,MAAQ1F,GAAoBvV,KAAKib,MAAQ,EAChD,MAAM,IAAIN,UAAU,yBAEtB,GAAI3a,KAAKkb,MAAQ3F,GAAoBvV,KAAKkb,MAAQ,EAChD,MAAM,IAAIP,UAAU,yBAEtB,GAAI3a,KAAKX,MAAQkW,GAAoBvV,KAAKX,MAAQ,EAChD,MAAM,IAAIsb,UAAU,yBAEjBC,EAAG,GAGN5a,KAAKmb,WAAaP,EAAG,GAAGhD,MAAM,KAAK9R,IAAKhC,IACtC,GAAI,WAAWsR,KAAKtR,GAAK,CACvB,MAAMsX,GAAOtX,EACb,GAAIsX,GAAO,GAAKA,EAAM7F,EACpB,OAAO6F,CAEX,CACA,OAAOtX,IATT9D,KAAKmb,WAAa,GAYpBnb,KAAK4D,MAAQgX,EAAG,GAAKA,EAAG,GAAGhD,MAAM,KAAO,GACxC5X,KAAKqb,QACP,CACA,MAAAA,GAKE,OAJArb,KAAKmS,QAAU,GAAGnS,KAAKib,SAASjb,KAAKkb,SAASlb,KAAKX,QAC/CW,KAAKmb,WAAWzU,SAClB1G,KAAKmS,SAAW,IAAInS,KAAKmb,WAAWtD,KAAK,QAEpC7X,KAAKmS,OACd,CACA,QAAAmJ,GACE,OAAOtb,KAAKmS,OACd,CACA,OAAAzG,CAAQ6P,GAEN,GADAtG,EAAM,iBAAkBjV,KAAKmS,QAASnS,KAAKf,QAASsc,KAC9CA,aAAiBf,GAAS,CAC9B,GAAqB,iBAAVe,GAAsBA,IAAUvb,KAAKmS,QAC9C,OAAO,EAEToJ,EAAQ,IAAIf,EAAOe,EAAOvb,KAAKf,QACjC,CACA,OAAIsc,EAAMpJ,UAAYnS,KAAKmS,QAClB,EAEFnS,KAAKwb,YAAYD,IAAUvb,KAAKyb,WAAWF,EACpD,CACA,WAAAC,CAAYD,GAIV,OAHMA,aAAiBf,IACrBe,EAAQ,IAAIf,EAAOe,EAAOvb,KAAKf,UAE1Bgb,EAAmBja,KAAKib,MAAOM,EAAMN,QAAUhB,EAAmBja,KAAKkb,MAAOK,EAAML,QAAUjB,EAAmBja,KAAKX,MAAOkc,EAAMlc,MAC5I,CACA,UAAAoc,CAAWF,GAIT,GAHMA,aAAiBf,IACrBe,EAAQ,IAAIf,EAAOe,EAAOvb,KAAKf,UAE7Be,KAAKmb,WAAWzU,SAAW6U,EAAMJ,WAAWzU,OAC9C,OAAQ,EACH,IAAK1G,KAAKmb,WAAWzU,QAAU6U,EAAMJ,WAAWzU,OACrD,OAAO,EACF,IAAK1G,KAAKmb,WAAWzU,SAAW6U,EAAMJ,WAAWzU,OACtD,OAAO,EAET,IAAIgV,EAAK,EACT,EAAG,CACD,MAAMxB,EAAKla,KAAKmb,WAAWO,GACrBvB,EAAKoB,EAAMJ,WAAWO,GAE5B,GADAzG,EAAM,qBAAsByG,EAAIxB,EAAIC,QACzB,IAAPD,QAAwB,IAAPC,EACnB,OAAO,EACF,QAAW,IAAPA,EACT,OAAO,EACF,QAAW,IAAPD,EACT,OAAQ,EACH,GAAIA,IAAOC,EAGhB,OAAOF,EAAmBC,EAAIC,EAElC,SAAWuB,EACb,CACA,YAAAC,CAAaJ,GACLA,aAAiBf,IACrBe,EAAQ,IAAIf,EAAOe,EAAOvb,KAAKf,UAEjC,IAAIyc,EAAK,EACT,EAAG,CACD,MAAMxB,EAAKla,KAAK4D,MAAM8X,GAChBvB,EAAKoB,EAAM3X,MAAM8X,GAEvB,GADAzG,EAAM,gBAAiByG,EAAIxB,EAAIC,QACpB,IAAPD,QAAwB,IAAPC,EACnB,OAAO,EACF,QAAW,IAAPA,EACT,OAAO,EACF,QAAW,IAAPD,EACT,OAAQ,EACH,GAAIA,IAAOC,EAGhB,OAAOF,EAAmBC,EAAIC,EAElC,SAAWuB,EACb,CAGA,GAAAE,CAAIC,EAASC,EAAYC,GACvB,OAAQF,GACN,IAAK,WACH7b,KAAKmb,WAAWzU,OAAS,EACzB1G,KAAKX,MAAQ,EACbW,KAAKkb,MAAQ,EACblb,KAAKib,QACLjb,KAAK4b,IAAI,MAAOE,EAAYC,GAC5B,MACF,IAAK,WACH/b,KAAKmb,WAAWzU,OAAS,EACzB1G,KAAKX,MAAQ,EACbW,KAAKkb,QACLlb,KAAK4b,IAAI,MAAOE,EAAYC,GAC5B,MACF,IAAK,WACH/b,KAAKmb,WAAWzU,OAAS,EACzB1G,KAAK4b,IAAI,QAASE,EAAYC,GAC9B/b,KAAK4b,IAAI,MAAOE,EAAYC,GAC5B,MAGF,IAAK,aAC4B,IAA3B/b,KAAKmb,WAAWzU,QAClB1G,KAAK4b,IAAI,QAASE,EAAYC,GAEhC/b,KAAK4b,IAAI,MAAOE,EAAYC,GAC5B,MACF,IAAK,QACgB,IAAf/b,KAAKkb,OAA8B,IAAflb,KAAKX,OAA0C,IAA3BW,KAAKmb,WAAWzU,QAC1D1G,KAAKib,QAEPjb,KAAKkb,MAAQ,EACblb,KAAKX,MAAQ,EACbW,KAAKmb,WAAa,GAClB,MACF,IAAK,QACgB,IAAfnb,KAAKX,OAA0C,IAA3BW,KAAKmb,WAAWzU,QACtC1G,KAAKkb,QAEPlb,KAAKX,MAAQ,EACbW,KAAKmb,WAAa,GAClB,MACF,IAAK,QAC4B,IAA3Bnb,KAAKmb,WAAWzU,QAClB1G,KAAKX,QAEPW,KAAKmb,WAAa,GAClB,MAGF,IAAK,MAAO,CACV,MAAMzZ,EAAO8T,OAAOuG,GAAkB,EAAI,EAC1C,IAAKD,IAAiC,IAAnBC,EACjB,MAAM,IAAI9M,MAAM,mDAElB,GAA+B,IAA3BjP,KAAKmb,WAAWzU,OAClB1G,KAAKmb,WAAa,CAACzZ,OACd,CACL,IAAIga,EAAK1b,KAAKmb,WAAWzU,OACzB,OAASgV,GAAM,GACsB,iBAAxB1b,KAAKmb,WAAWO,KACzB1b,KAAKmb,WAAWO,KAChBA,GAAM,GAGV,IAAY,IAARA,EAAW,CACb,GAAII,IAAe9b,KAAKmb,WAAWtD,KAAK,OAA2B,IAAnBkE,EAC9C,MAAM,IAAI9M,MAAM,yDAElBjP,KAAKmb,WAAWhT,KAAKzG,EACvB,CACF,CACA,GAAIoa,EAAY,CACd,IAAIX,EAAa,CAACW,EAAYpa,IACP,IAAnBqa,IACFZ,EAAa,CAACW,IAE2C,IAAvD7B,EAAmBja,KAAKmb,WAAW,GAAIW,GACrCE,MAAMhc,KAAKmb,WAAW,MACxBnb,KAAKmb,WAAaA,GAGpBnb,KAAKmb,WAAaA,CAEtB,CACA,KACF,CACA,QACE,MAAM,IAAIlM,MAAM,+BAA+B4M,KAMnD,OAJA7b,KAAKgb,IAAMhb,KAAKqb,SACZrb,KAAK4D,MAAM8C,SACb1G,KAAKgb,KAAO,IAAIhb,KAAK4D,MAAMiU,KAAK,QAE3B7X,IACT,EAGF,OADAqW,EAASmE,CAEX,EAyBA,WACE,GAAI9D,EAAkB,OAAOD,EAC7BC,EAAmB,EACnB,MAAMuF,EAzBR,WACE,GAAIzF,EAAkB,OAAOD,EAC7BC,EAAmB,EACnB,MAAMgE,EAASzD,IAef,OADAR,EAbc,CAACpE,EAASlT,EAASid,GAAc,KAC7C,GAAI/J,aAAmBqI,EACrB,OAAOrI,EAET,IACE,OAAO,IAAIqI,EAAOrI,EAASlT,EAC7B,CAAE,MAAOkd,GACP,IAAKD,EACH,OAAO,KAET,MAAMC,CACR,EAIJ,CAMgBC,GAKd3F,EAJe,CAACtE,EAASlT,KACvB,MAAMod,EAAIJ,EAAM9J,EAASlT,GACzB,OAAOod,EAAIA,EAAElK,QAAU,KAI3B,CACmBmK,GAInB,WACE,GAAI1F,EAAkB,OAAOD,EAC7BC,EAAmB,EACnB,MAAM4D,EAASzD,IAEfJ,EADe,CAACuD,EAAIJ,IAAU,IAAIU,EAAON,EAAIJ,GAAOmB,KAGtD,CACmBsB,GA4FU,IAiM7B,IACIC,EAEEA,IACJA,EAAiB,EAEf,SAAUC,GACRA,EAAKC,OAAS,SAAShI,EAAQiI,GAC7B,OAAO,IAAIC,EAAUlI,EAAQiI,EAC/B,EACAF,EAAKG,UAAYA,EACjBH,EAAKI,UAAYA,EACjBJ,EAAKK,aA2JL,SAAsBpI,EAAQiI,GAC5B,OAAO,IAAIE,EAAUnI,EAAQiI,EAC/B,EA5JAF,EAAKM,kBAAoB,MACzB,IA6IIC,EA7IAC,EAAU,CACZ,UACA,WACA,WACA,UACA,UACA,eACA,eACA,SACA,aACA,cACA,QACA,UAsBF,SAASL,EAAUlI,EAAQiI,GACzB,KAAM3c,gBAAgB4c,GACpB,OAAO,IAAIA,EAAUlI,EAAQiI,GAE/B,IAAID,EAAS1c,MAuEf,SAAsB0c,GACpB,IAAK,IAAIhB,EAAK,EAAGwB,EAAKD,EAAQvW,OAAQgV,EAAKwB,EAAIxB,IAC7CgB,EAAOO,EAAQvB,IAAO,EAE1B,CA1EEyB,CAAaT,GACbA,EAAOU,EAAIV,EAAOW,EAAI,GACtBX,EAAOY,oBAAsBb,EAAKM,kBAClCL,EAAOC,IAAMA,GAAO,CAAC,EACrBD,EAAOC,IAAIY,UAAYb,EAAOC,IAAIY,WAAab,EAAOC,IAAIa,cAC1Dd,EAAOe,UAAYf,EAAOC,IAAIY,UAAY,cAAgB,cAC1Db,EAAOgB,KAAO,GACdhB,EAAOiB,OAASjB,EAAOkB,WAAalB,EAAOmB,SAAU,EACrDnB,EAAOoB,IAAMpB,EAAOvV,MAAQ,KAC5BuV,EAAOhI,SAAWA,EAClBgI,EAAOqB,YAAcrJ,IAAUgI,EAAOC,IAAIoB,UAC1CrB,EAAOvY,MAAQ6Z,EAAEC,MACjBvB,EAAOwB,eAAiBxB,EAAOC,IAAIuB,eACnCxB,EAAOyB,SAAWzB,EAAOwB,eAAiBjY,OAAOmY,OAAO3B,EAAK4B,cAAgBpY,OAAOmY,OAAO3B,EAAK0B,UAChGzB,EAAO4B,WAAa,GAChB5B,EAAOC,IAAI4B,QACb7B,EAAO8B,GAAKvY,OAAOmY,OAAOK,SAEe,IAAvC/B,EAAOC,IAAI+B,0BACbhC,EAAOC,IAAI+B,yBAA2BhK,GAExCgI,EAAOiC,eAAwC,IAAxBjC,EAAOC,IAAIiC,SAC9BlC,EAAOiC,gBACTjC,EAAOkC,SAAWlC,EAAOmC,KAAOnC,EAAOoC,OAAS,GAElDC,EAAMrC,EAAQ,UAChB,CAnDAD,EAAKuC,OAAS,CACZ,OACA,wBACA,kBACA,UACA,UACA,eACA,YACA,UACA,WACA,YACA,QACA,aACA,QACA,MACA,QACA,SACA,gBACA,kBAkCG/Y,OAAOmY,SACVnY,OAAOmY,OAAS,SAASa,GACvB,SAASC,IACT,CAGA,OAFAA,EAAGld,UAAYid,EACJ,IAAIC,CAEjB,GAEGjZ,OAAOwH,OACVxH,OAAOwH,KAAO,SAASwR,GACrB,IAAI/E,EAAK,GACT,IAAK,IAAIwB,KAAMuD,EAAOA,EAAEE,eAAezD,IAAKxB,EAAG/R,KAAKuT,GACpD,OAAOxB,CACT,GA6CF0C,EAAU5a,UAAY,CACpBod,IAAK,WACHA,EAAIpf,KACN,EACAqf,MAwuBF,SAAeC,GACb,IAAI5C,EAAS1c,KACb,GAAIA,KAAKmH,MACP,MAAMnH,KAAKmH,MAEb,GAAIuV,EAAOiB,OACT,OAAOxW,EACLuV,EACA,wDAGJ,GAAc,OAAV4C,EACF,OAAOF,EAAI1C,GAEQ,iBAAV4C,IACTA,EAAQA,EAAMhE,YAIhB,IAFA,IAAII,EAAK,EACL6D,EAAK,GAEPA,EAAKC,EAAOF,EAAO5D,KACnBgB,EAAOW,EAAIkC,EACNA,GAYL,OATI7C,EAAOiC,gBACTjC,EAAOkC,WACI,OAAPW,GACF7C,EAAOmC,OACPnC,EAAOoC,OAAS,GAEhBpC,EAAOoC,UAGHpC,EAAOvY,OACb,KAAK6Z,EAAEC,MAEL,GADAvB,EAAOvY,MAAQ6Z,EAAEyB,iBACN,WAAPF,EACF,SAEFG,EAAgBhD,EAAQ6C,GACxB,SACF,KAAKvB,EAAEyB,iBACLC,EAAgBhD,EAAQ6C,GACxB,SACF,KAAKvB,EAAE2B,KACL,GAAIjD,EAAOmB,UAAYnB,EAAOkB,WAAY,CAExC,IADA,IAAIgC,EAASlE,EAAK,EACX6D,GAAa,MAAPA,GAAqB,MAAPA,IACzBA,EAAKC,EAAOF,EAAO5D,OACTgB,EAAOiC,gBACfjC,EAAOkC,WACI,OAAPW,GACF7C,EAAOmC,OACPnC,EAAOoC,OAAS,GAEhBpC,EAAOoC,UAIbpC,EAAOmD,UAAYP,EAAMQ,UAAUF,EAAQlE,EAAK,EAClD,CACW,MAAP6D,GAAgB7C,EAAOmB,SAAWnB,EAAOkB,aAAelB,EAAOhI,QAI5DqL,EAAaR,IAAS7C,EAAOmB,UAAWnB,EAAOkB,YAClDoC,EAAWtD,EAAQ,mCAEV,MAAP6C,EACF7C,EAAOvY,MAAQ6Z,EAAEiC,YAEjBvD,EAAOmD,UAAYN,IATrB7C,EAAOvY,MAAQ6Z,EAAEkC,UACjBxD,EAAOyD,iBAAmBzD,EAAOkC,UAWnC,SACF,KAAKZ,EAAEoC,OACM,MAAPb,EACF7C,EAAOvY,MAAQ6Z,EAAEqC,cAEjB3D,EAAO4D,QAAUf,EAEnB,SACF,KAAKvB,EAAEqC,cACM,MAAPd,EACF7C,EAAOvY,MAAQ6Z,EAAEuC,WAEjB7D,EAAO4D,QAAU,IAAMf,EACvB7C,EAAOvY,MAAQ6Z,EAAEoC,QAEnB,SACF,KAAKpC,EAAEkC,UACL,GAAW,MAAPX,EACF7C,EAAOvY,MAAQ6Z,EAAEwC,UACjB9D,EAAO+D,SAAW,QACb,GAAIV,EAAaR,SACnB,GAAImB,EAAQC,EAAWpB,GAC1B7C,EAAOvY,MAAQ6Z,EAAE4C,SACjBlE,EAAOmE,QAAUtB,OACZ,GAAW,MAAPA,EACT7C,EAAOvY,MAAQ6Z,EAAEuC,UACjB7D,EAAOmE,QAAU,QACZ,GAAW,MAAPtB,EACT7C,EAAOvY,MAAQ6Z,EAAE8C,UACjBpE,EAAOqE,aAAerE,EAAOsE,aAAe,OACvC,CAEL,GADAhB,EAAWtD,EAAQ,eACfA,EAAOyD,iBAAmB,EAAIzD,EAAOkC,SAAU,CACjD,IAAIqC,EAAMvE,EAAOkC,SAAWlC,EAAOyD,iBACnCZ,EAAK,IAAIpO,MAAM8P,GAAKpJ,KAAK,KAAO0H,CAClC,CACA7C,EAAOmD,UAAY,IAAMN,EACzB7C,EAAOvY,MAAQ6Z,EAAE2B,IACnB,CACA,SACF,KAAK3B,EAAEwC,UACL,GAAI9D,EAAO+D,SAAWlB,IAAO,KAAM,CACjC7C,EAAOvY,MAAQ6Z,EAAEkD,QACjBxE,EAAOyE,QAAU,GACjBzE,EAAO+D,SAAW,GAClB,QACF,CACI/D,EAAO0E,UAA8B,IAAnB1E,EAAO0E,SAAoB1E,EAAO+D,UACtD/D,EAAOvY,MAAQ6Z,EAAEqD,YACjB3E,EAAO0E,SAAW,KAAO1E,EAAO+D,SAAWlB,EAC3C7C,EAAO+D,SAAW,KACR/D,EAAO+D,SAAWlB,GAAI+B,gBAAkBC,GAClDC,EAAS9E,EAAQ,eACjBA,EAAOvY,MAAQ6Z,EAAEuD,MACjB7E,EAAO+D,SAAW,GAClB/D,EAAO+E,MAAQ,KACL/E,EAAO+D,SAAWlB,GAAI+B,gBAAkBI,GAClDhF,EAAOvY,MAAQ6Z,EAAE0D,SACbhF,EAAO0E,SAAW1E,EAAOmB,UAC3BmC,EACEtD,EACA,+CAGJA,EAAO0E,QAAU,GACjB1E,EAAO+D,SAAW,IACF,MAAPlB,GACTiC,EAAS9E,EAAQ,oBAAqBA,EAAO+D,UAC7C/D,EAAO+D,SAAW,GAClB/D,EAAOvY,MAAQ6Z,EAAE2B,MACRgC,EAAQpC,IACjB7C,EAAOvY,MAAQ6Z,EAAE4D,iBACjBlF,EAAO+D,UAAYlB,GAEnB7C,EAAO+D,UAAYlB,EAErB,SACF,KAAKvB,EAAE4D,iBACDrC,IAAO7C,EAAOU,IAChBV,EAAOvY,MAAQ6Z,EAAEwC,UACjB9D,EAAOU,EAAI,IAEbV,EAAO+D,UAAYlB,EACnB,SACF,KAAKvB,EAAE0D,QACM,MAAPnC,GACF7C,EAAOvY,MAAQ6Z,EAAE2B,KACjB6B,EAAS9E,EAAQ,YAAaA,EAAO0E,SACrC1E,EAAO0E,SAAU,IAEjB1E,EAAO0E,SAAW7B,EACP,MAAPA,EACF7C,EAAOvY,MAAQ6Z,EAAEqD,YACRM,EAAQpC,KACjB7C,EAAOvY,MAAQ6Z,EAAE6D,eACjBnF,EAAOU,EAAImC,IAGf,SACF,KAAKvB,EAAE6D,eACLnF,EAAO0E,SAAW7B,EACdA,IAAO7C,EAAOU,IAChBV,EAAOU,EAAI,GACXV,EAAOvY,MAAQ6Z,EAAE0D,SAEnB,SACF,KAAK1D,EAAEqD,YACM,MAAP9B,GACF7C,EAAO0E,SAAW7B,EAClB7C,EAAOvY,MAAQ6Z,EAAE0D,SACD,MAAPnC,GACT7C,EAAOvY,MAAQ6Z,EAAEkC,UACjBxD,EAAOyD,iBAAmBzD,EAAOkC,UACxB+C,EAAQpC,IACjB7C,EAAO0E,SAAW7B,EAClB7C,EAAOvY,MAAQ6Z,EAAE8D,mBACjBpF,EAAOU,EAAImC,GAEX7C,EAAO0E,SAAW7B,EAEpB,SACF,KAAKvB,EAAE8D,mBACLpF,EAAO0E,SAAW7B,EACdA,IAAO7C,EAAOU,IAChBV,EAAOvY,MAAQ6Z,EAAEqD,YACjB3E,EAAOU,EAAI,IAEb,SACF,KAAKY,EAAEkD,QACM,MAAP3B,EACF7C,EAAOvY,MAAQ6Z,EAAE+D,eAEjBrF,EAAOyE,SAAW5B,EAEpB,SACF,KAAKvB,EAAE+D,eACM,MAAPxC,GACF7C,EAAOvY,MAAQ6Z,EAAEgE,cACjBtF,EAAOyE,QAAUc,EAASvF,EAAOC,IAAKD,EAAOyE,SACzCzE,EAAOyE,SACTK,EAAS9E,EAAQ,YAAaA,EAAOyE,SAEvCzE,EAAOyE,QAAU,KAEjBzE,EAAOyE,SAAW,IAAM5B,EACxB7C,EAAOvY,MAAQ6Z,EAAEkD,SAEnB,SACF,KAAKlD,EAAEgE,cACM,MAAPzC,GACFS,EAAWtD,EAAQ,qBACnBA,EAAOyE,SAAW,KAAO5B,EACzB7C,EAAOvY,MAAQ6Z,EAAEkD,SACRxE,EAAO0E,UAA8B,IAAnB1E,EAAO0E,QAClC1E,EAAOvY,MAAQ6Z,EAAEqD,YAEjB3E,EAAOvY,MAAQ6Z,EAAE2B,KAEnB,SACF,KAAK3B,EAAEuD,MACM,MAAPhC,EACF7C,EAAOvY,MAAQ6Z,EAAEkE,aAEjBxF,EAAO+E,OAASlC,EAElB,SACF,KAAKvB,EAAEkE,aACM,MAAP3C,EACF7C,EAAOvY,MAAQ6Z,EAAEmE,gBAEjBzF,EAAO+E,OAAS,IAAMlC,EACtB7C,EAAOvY,MAAQ6Z,EAAEuD,OAEnB,SACF,KAAKvD,EAAEmE,eACM,MAAP5C,GACE7C,EAAO+E,OACTD,EAAS9E,EAAQ,UAAWA,EAAO+E,OAErCD,EAAS9E,EAAQ,gBACjBA,EAAO+E,MAAQ,GACf/E,EAAOvY,MAAQ6Z,EAAE2B,MACD,MAAPJ,EACT7C,EAAO+E,OAAS,KAEhB/E,EAAO+E,OAAS,KAAOlC,EACvB7C,EAAOvY,MAAQ6Z,EAAEuD,OAEnB,SACF,KAAKvD,EAAE8C,UACM,MAAPvB,EACF7C,EAAOvY,MAAQ6Z,EAAEoE,iBACRrC,EAAaR,GACtB7C,EAAOvY,MAAQ6Z,EAAEqE,eAEjB3F,EAAOqE,cAAgBxB,EAEzB,SACF,KAAKvB,EAAEqE,eACL,IAAK3F,EAAOsE,cAAgBjB,EAAaR,GACvC,SACgB,MAAPA,EACT7C,EAAOvY,MAAQ6Z,EAAEoE,iBAEjB1F,EAAOsE,cAAgBzB,EAEzB,SACF,KAAKvB,EAAEoE,iBACM,MAAP7C,GACFiC,EAAS9E,EAAQ,0BAA2B,CAC1Cpc,KAAMoc,EAAOqE,aACbuB,KAAM5F,EAAOsE,eAEftE,EAAOqE,aAAerE,EAAOsE,aAAe,GAC5CtE,EAAOvY,MAAQ6Z,EAAE2B,OAEjBjD,EAAOsE,cAAgB,IAAMzB,EAC7B7C,EAAOvY,MAAQ6Z,EAAEqE,gBAEnB,SACF,KAAKrE,EAAE4C,SACDF,EAAQ6B,EAAUhD,GACpB7C,EAAOmE,SAAWtB,GAElBiD,EAAO9F,GACI,MAAP6C,EACFkD,EAAQ/F,GACQ,MAAP6C,EACT7C,EAAOvY,MAAQ6Z,EAAE0E,gBAEZ3C,EAAaR,IAChBS,EAAWtD,EAAQ,iCAErBA,EAAOvY,MAAQ6Z,EAAE2E,SAGrB,SACF,KAAK3E,EAAE0E,eACM,MAAPnD,GACFkD,EAAQ/F,GAAQ,GAChBkG,EAASlG,KAETsD,EAAWtD,EAAQ,kDACnBA,EAAOvY,MAAQ6Z,EAAE2E,QAEnB,SACF,KAAK3E,EAAE2E,OACL,GAAI5C,EAAaR,GACf,SACgB,MAAPA,EACTkD,EAAQ/F,GACQ,MAAP6C,EACT7C,EAAOvY,MAAQ6Z,EAAE0E,eACRhC,EAAQC,EAAWpB,IAC5B7C,EAAOmG,WAAatD,EACpB7C,EAAOoG,YAAc,GACrBpG,EAAOvY,MAAQ6Z,EAAE+E,aAEjB/C,EAAWtD,EAAQ,0BAErB,SACF,KAAKsB,EAAE+E,YACM,MAAPxD,EACF7C,EAAOvY,MAAQ6Z,EAAEgF,aACD,MAAPzD,GACTS,EAAWtD,EAAQ,2BACnBA,EAAOoG,YAAcpG,EAAOmG,WAC5BI,EAAOvG,GACP+F,EAAQ/F,IACCqD,EAAaR,GACtB7C,EAAOvY,MAAQ6Z,EAAEkF,sBACRxC,EAAQ6B,EAAUhD,GAC3B7C,EAAOmG,YAActD,EAErBS,EAAWtD,EAAQ,0BAErB,SACF,KAAKsB,EAAEkF,sBACL,GAAW,MAAP3D,EACF7C,EAAOvY,MAAQ6Z,EAAEgF,iBACZ,IAAIjD,EAAaR,GACtB,SAEAS,EAAWtD,EAAQ,2BACnBA,EAAOoB,IAAIqF,WAAWzG,EAAOmG,YAAc,GAC3CnG,EAAOoG,YAAc,GACrBtB,EAAS9E,EAAQ,cAAe,CAC9Bpc,KAAMoc,EAAOmG,WACb7Y,MAAO,KAET0S,EAAOmG,WAAa,GACT,MAAPtD,EACFkD,EAAQ/F,GACCgE,EAAQC,EAAWpB,IAC5B7C,EAAOmG,WAAatD,EACpB7C,EAAOvY,MAAQ6Z,EAAE+E,cAEjB/C,EAAWtD,EAAQ,0BACnBA,EAAOvY,MAAQ6Z,EAAE2E,OAErB,CACA,SACF,KAAK3E,EAAEgF,aACL,GAAIjD,EAAaR,GACf,SACSoC,EAAQpC,IACjB7C,EAAOU,EAAImC,EACX7C,EAAOvY,MAAQ6Z,EAAEoF,sBAEZ1G,EAAOC,IAAI+B,yBACdvX,EAAMuV,EAAQ,4BAEhBA,EAAOvY,MAAQ6Z,EAAEqF,sBACjB3G,EAAOoG,YAAcvD,GAEvB,SACF,KAAKvB,EAAEoF,oBACL,GAAI7D,IAAO7C,EAAOU,EAAG,CACR,MAAPmC,EACF7C,EAAOvY,MAAQ6Z,EAAEsF,sBAEjB5G,EAAOoG,aAAevD,EAExB,QACF,CACA0D,EAAOvG,GACPA,EAAOU,EAAI,GACXV,EAAOvY,MAAQ6Z,EAAEuF,oBACjB,SACF,KAAKvF,EAAEuF,oBACDxD,EAAaR,GACf7C,EAAOvY,MAAQ6Z,EAAE2E,OACD,MAAPpD,EACTkD,EAAQ/F,GACQ,MAAP6C,EACT7C,EAAOvY,MAAQ6Z,EAAE0E,eACRhC,EAAQC,EAAWpB,IAC5BS,EAAWtD,EAAQ,oCACnBA,EAAOmG,WAAatD,EACpB7C,EAAOoG,YAAc,GACrBpG,EAAOvY,MAAQ6Z,EAAE+E,aAEjB/C,EAAWtD,EAAQ,0BAErB,SACF,KAAKsB,EAAEqF,sBACL,IAAKG,EAAYjE,GAAK,CACT,MAAPA,EACF7C,EAAOvY,MAAQ6Z,EAAEyF,sBAEjB/G,EAAOoG,aAAevD,EAExB,QACF,CACA0D,EAAOvG,GACI,MAAP6C,EACFkD,EAAQ/F,GAERA,EAAOvY,MAAQ6Z,EAAE2E,OAEnB,SACF,KAAK3E,EAAEuC,UACL,GAAK7D,EAAOmE,QAaM,MAAPtB,EACTqD,EAASlG,GACAgE,EAAQ6B,EAAUhD,GAC3B7C,EAAOmE,SAAWtB,EACT7C,EAAO4D,QAChB5D,EAAO4D,QAAU,KAAO5D,EAAOmE,QAC/BnE,EAAOmE,QAAU,GACjBnE,EAAOvY,MAAQ6Z,EAAEoC,SAEZL,EAAaR,IAChBS,EAAWtD,EAAQ,kCAErBA,EAAOvY,MAAQ6Z,EAAE0F,yBAzBE,CACnB,GAAI3D,EAAaR,GACf,SACSoE,EAAShD,EAAWpB,GACzB7C,EAAO4D,QACT5D,EAAO4D,QAAU,KAAOf,EACxB7C,EAAOvY,MAAQ6Z,EAAEoC,QAEjBJ,EAAWtD,EAAQ,mCAGrBA,EAAOmE,QAAUtB,CAErB,CAcA,SACF,KAAKvB,EAAE0F,oBACL,GAAI3D,EAAaR,GACf,SAES,MAAPA,EACFqD,EAASlG,GAETsD,EAAWtD,EAAQ,qCAErB,SACF,KAAKsB,EAAEiC,YACP,KAAKjC,EAAEsF,sBACP,KAAKtF,EAAEyF,sBACL,IAAIG,EACAC,EACJ,OAAQnH,EAAOvY,OACb,KAAK6Z,EAAEiC,YACL2D,EAAc5F,EAAE2B,KAChBkE,EAAS,WACT,MACF,KAAK7F,EAAEsF,sBACLM,EAAc5F,EAAEoF,oBAChBS,EAAS,cACT,MACF,KAAK7F,EAAEyF,sBACLG,EAAc5F,EAAEqF,sBAChBQ,EAAS,cAGb,GAAW,MAAPtE,EAAY,CACd,IAAIuE,EAAeC,EAAYrH,GAC3BA,EAAOC,IAAIqH,mBAAqB/d,OAAOC,OAAOuW,EAAK4B,cAAchY,SAASyd,IAC5EpH,EAAOuH,OAAS,GAChBvH,EAAOvY,MAAQyf,EACflH,EAAO2C,MAAMyE,KAEbpH,EAAOmH,IAAWC,EAClBpH,EAAOuH,OAAS,GAChBvH,EAAOvY,MAAQyf,EAEnB,MAAWlD,EAAQhE,EAAOuH,OAAOvd,OAASwd,EAAaC,EAAa5E,GAClE7C,EAAOuH,QAAU1E,GAEjBS,EAAWtD,EAAQ,oCACnBA,EAAOmH,IAAW,IAAMnH,EAAOuH,OAAS1E,EACxC7C,EAAOuH,OAAS,GAChBvH,EAAOvY,MAAQyf,GAEjB,SACF,QACE,MAAM,IAAI3U,MAAMyN,EAAQ,kBAAoBA,EAAOvY,OAOzD,OAHIuY,EAAOkC,UAAYlC,EAAOY,qBA9xChC,SAA2BZ,GAGzB,IAFA,IAAI0H,EAAaC,KAAK1M,IAAI8E,EAAKM,kBAAmB,IAC9CuH,EAAY,EACP5I,EAAK,EAAGwB,EAAKD,EAAQvW,OAAQgV,EAAKwB,EAAIxB,IAAM,CACnD,IAAI6I,EAAM7H,EAAOO,EAAQvB,IAAKhV,OAC9B,GAAI6d,EAAMH,EACR,OAAQnH,EAAQvB,IACd,IAAK,WACH8I,EAAU9H,GACV,MACF,IAAK,QACH8E,EAAS9E,EAAQ,UAAWA,EAAO+E,OACnC/E,EAAO+E,MAAQ,GACf,MACF,IAAK,SACHD,EAAS9E,EAAQ,WAAYA,EAAO4D,QACpC5D,EAAO4D,OAAS,GAChB,MACF,QACEnZ,EAAMuV,EAAQ,+BAAiCO,EAAQvB,IAG7D4I,EAAYD,KAAK1M,IAAI2M,EAAWC,EAClC,CACA,IAAI3J,EAAK6B,EAAKM,kBAAoBuH,EAClC5H,EAAOY,oBAAsB1C,EAAK8B,EAAOkC,QAC3C,CAqwCI6F,CAAkB/H,GAEbA,CACT,EAlvCEgI,OAAQ,WAEN,OADA1kB,KAAKmH,MAAQ,KACNnH,IACT,EACAiT,MAAO,WACL,OAAOjT,KAAKqf,MAAM,KACpB,EACAsF,MAAO,WAvBT,IAAsBjI,EACpB8H,EADoB9H,EAwBL1c,MAtBM,KAAjB0c,EAAO+E,QACTD,EAAS9E,EAAQ,UAAWA,EAAO+E,OACnC/E,EAAO+E,MAAQ,IAEK,KAAlB/E,EAAO4D,SACTkB,EAAS9E,EAAQ,WAAYA,EAAO4D,QACpC5D,EAAO4D,OAAS,GAiBlB,GAGF,IACEtD,EAAS4H,QAAQ,UAAU5H,MAC7B,CAAE,MAAO6H,GACP7H,EAAS,WACT,CACF,CACKA,IAAQA,EAAS,WACtB,GACA,IAAI8H,EAAcrI,EAAKuC,OAAO7Y,OAAO,SAAS4e,GAC5C,MAAc,UAAPA,GAAyB,QAAPA,CAC3B,GAIA,SAASlI,EAAUnI,EAAQiI,GACzB,KAAM3c,gBAAgB6c,GACpB,OAAO,IAAIA,EAAUnI,EAAQiI,GAE/BK,EAAOgI,MAAMhlB,MACbA,KAAKilB,QAAU,IAAIrI,EAAUlI,EAAQiI,GACrC3c,KAAKklB,UAAW,EAChBllB,KAAKmlB,UAAW,EAChB,IAAIC,EAAKplB,KACTA,KAAKilB,QAAQI,MAAQ,WACnBD,EAAGE,KAAK,MACV,EACAtlB,KAAKilB,QAAQM,QAAU,SAASpJ,GAC9BiJ,EAAGE,KAAK,QAASnJ,GACjBiJ,EAAGH,QAAQ9d,MAAQ,IACrB,EACAnH,KAAKwlB,SAAW,KAChBV,EAAYrb,QAAQ,SAASsb,GAC3B9e,OAAOwf,eAAeL,EAAI,KAAOL,EAAI,CACnC/lB,IAAK,WACH,OAAOomB,EAAGH,QAAQ,KAAOF,EAC3B,EACAW,IAAK,SAASC,GACZ,IAAKA,EAGH,OAFAP,EAAGQ,mBAAmBb,GACtBK,EAAGH,QAAQ,KAAOF,GAAMY,EACjBA,EAETP,EAAGS,GAAGd,EAAIY,EACZ,EACAG,YAAY,EACZC,cAAc,GAElB,EACF,CACAlJ,EAAU7a,UAAYiE,OAAOmY,OAAOpB,EAAOhb,UAAW,CACpDyY,YAAa,CACXzQ,MAAO6S,KAGXA,EAAU7a,UAAUqd,MAAQ,SAASjgB,GACnC,GAAsB,mBAAX4mB,GAAoD,mBAApBA,EAAOC,UAA2BD,EAAOC,SAAS7mB,GAAO,CAClG,IAAKY,KAAKwlB,SAAU,CAClB,IAAIU,EAAK,IACTlmB,KAAKwlB,SAAW,IAAIU,EAAG,OACzB,CACA9mB,EAAOY,KAAKwlB,SAASnG,MAAMjgB,EAC7B,CAGA,OAFAY,KAAKilB,QAAQ5F,MAAMjgB,EAAKkc,YACxBtb,KAAKslB,KAAK,OAAQlmB,IACX,CACT,EACAyd,EAAU7a,UAAUod,IAAM,SAASE,GAKjC,OAJIA,GAASA,EAAM5Y,QACjB1G,KAAKqf,MAAMC,GAEbtf,KAAKilB,QAAQ7F,OACN,CACT,EACAvC,EAAU7a,UAAU6jB,GAAK,SAASd,EAAIoB,GACpC,IAAIf,EAAKplB,KAQT,OAPKolB,EAAGH,QAAQ,KAAOF,KAAoC,IAA7BD,EAAYxc,QAAQyc,KAChDK,EAAGH,QAAQ,KAAOF,GAAM,WACtB,IAAI1P,EAA4B,IAArB7B,UAAU9M,OAAe,CAAC8M,UAAU,IAAMrC,MAAM6T,MAAM,KAAMxR,WACvE6B,EAAKzN,OAAO,EAAG,EAAGmd,GAClBK,EAAGE,KAAKN,MAAMI,EAAI/P,EACpB,GAEK2H,EAAOhb,UAAU6jB,GAAGO,KAAKhB,EAAIL,EAAIoB,EAC1C,EACA,IAAI5E,EAAQ,UACRG,EAAU,UACV2E,EAAgB,uCAChBC,EAAkB,gCAClB7H,EAAS,CAAE8H,IAAKF,EAAe9H,MAAO+H,GACtC3F,EAAY,4JACZ4B,EAAW,gMACX4B,EAAc,6JACdD,EAAa,iMACjB,SAASnE,EAAaR,GACpB,MAAc,MAAPA,GAAqB,OAAPA,GAAsB,OAAPA,GAAsB,OAAPA,CACrD,CACA,SAASoC,EAAQpC,GACf,MAAc,MAAPA,GAAqB,MAAPA,CACvB,CACA,SAASiE,EAAYjE,GACnB,MAAc,MAAPA,GAAcQ,EAAaR,EACpC,CACA,SAASmB,EAAQ8F,EAAOjH,GACtB,OAAOiH,EAAMpR,KAAKmK,EACpB,CACA,SAASoE,EAAS6C,EAAOjH,GACvB,OAAQmB,EAAQ8F,EAAOjH,EACzB,CACA,IA8nCQkH,EACAC,EACAC,EAhoCJ3I,EAAI,EAsVR,IAAK,IAAI4I,KArVTnK,EAAKoK,MAAQ,CACX5I,MAAOD,IAEPyB,iBAAkBzB,IAElB2B,KAAM3B,IAENiC,YAAajC,IAEbkC,UAAWlC,IAEXwC,UAAWxC,IAEX4D,iBAAkB5D,IAElB0D,QAAS1D,IAET6D,eAAgB7D,IAEhBqD,YAAarD,IAEb8D,mBAAoB9D,IAEpB8I,iBAAkB9I,IAElBkD,QAASlD,IAET+D,eAAgB/D,IAEhBgE,cAAehE,IAEfuD,MAAOvD,IAEPkE,aAAclE,IAEdmE,eAAgBnE,IAEhB8C,UAAW9C,IAEXqE,eAAgBrE,IAEhBoE,iBAAkBpE,IAElB4C,SAAU5C,IAEV0E,eAAgB1E,IAEhB2E,OAAQ3E,IAER+E,YAAa/E,IAEbkF,sBAAuBlF,IAEvBgF,aAAchF,IAEdoF,oBAAqBpF,IAErBuF,oBAAqBvF,IAErBqF,sBAAuBrF,IAEvBsF,sBAAuBtF,IAEvByF,sBAAuBzF,IAEvBuC,UAAWvC,IAEX0F,oBAAqB1F,IAErBoC,OAAQpC,IAERqC,cAAerC,KAGjBvB,EAAK4B,aAAe,CAClB,IAAO,IACP,GAAM,IACN,GAAM,IACN,KAAQ,IACR,KAAQ,KAEV5B,EAAK0B,SAAW,CACd,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,MAEXlY,OAAOwH,KAAKgP,EAAK0B,UAAU1U,QAAQ,SAASM,GAC1C,IAAIgd,EAAKtK,EAAK0B,SAASpU,GACnBid,EAAmB,iBAAPD,EAAkBlc,OAAOoc,aAAaF,GAAMA,EAC5DtK,EAAK0B,SAASpU,GAAOid,CACvB,GACevK,EAAKoK,MAClBpK,EAAKoK,MAAMpK,EAAKoK,MAAMD,IAAOA,EAG/B,SAAS7H,EAAMrC,EAAQwK,EAAO9nB,GAC5Bsd,EAAOwK,IAAUxK,EAAOwK,GAAO9nB,EACjC,CACA,SAASoiB,EAAS9E,EAAQyK,EAAU/nB,GAC9Bsd,EAAOmD,UAAU2E,EAAU9H,GAC/BqC,EAAMrC,EAAQyK,EAAU/nB,EAC1B,CACA,SAASolB,EAAU9H,GACjBA,EAAOmD,SAAWoC,EAASvF,EAAOC,IAAKD,EAAOmD,UAC1CnD,EAAOmD,UAAUd,EAAMrC,EAAQ,SAAUA,EAAOmD,UACpDnD,EAAOmD,SAAW,EACpB,CACA,SAASoC,EAAStF,EAAKyK,GAGrB,OAFIzK,EAAIxP,OAAMia,EAAOA,EAAKja,QACtBwP,EAAI0K,YAAWD,EAAOA,EAAKvoB,QAAQ,OAAQ,MACxCuoB,CACT,CACA,SAASjgB,EAAMuV,EAAQP,GAQrB,OAPAqI,EAAU9H,GACNA,EAAOiC,gBACTxC,GAAM,WAAaO,EAAOmC,KAAO,aAAenC,EAAOoC,OAAS,WAAapC,EAAOW,GAEtFlB,EAAK,IAAIlN,MAAMkN,GACfO,EAAOvV,MAAQgV,EACf4C,EAAMrC,EAAQ,UAAWP,GAClBO,CACT,CACA,SAAS0C,EAAI1C,GAUX,OATIA,EAAOmB,UAAYnB,EAAOkB,YAAYoC,EAAWtD,EAAQ,qBACzDA,EAAOvY,QAAU6Z,EAAEC,OAASvB,EAAOvY,QAAU6Z,EAAEyB,kBAAoB/C,EAAOvY,QAAU6Z,EAAE2B,MACxFxY,EAAMuV,EAAQ,kBAEhB8H,EAAU9H,GACVA,EAAOW,EAAI,GACXX,EAAOiB,QAAS,EAChBoB,EAAMrC,EAAQ,SACdE,EAAUwJ,KAAK1J,EAAQA,EAAOhI,OAAQgI,EAAOC,KACtCD,CACT,CACA,SAASsD,EAAWtD,EAAQnM,GAC1B,GAAsB,iBAAXmM,KAAyBA,aAAkBE,GACpD,MAAM,IAAI3N,MAAM,0BAEdyN,EAAOhI,QACTvN,EAAMuV,EAAQnM,EAElB,CACA,SAASiS,EAAO9F,GACTA,EAAOhI,SAAQgI,EAAOmE,QAAUnE,EAAOmE,QAAQnE,EAAOe,cAC3D,IAAI6J,EAAS5K,EAAOgB,KAAKhB,EAAOgB,KAAKhX,OAAS,IAAMgW,EAChDoB,EAAMpB,EAAOoB,IAAM,CAAExd,KAAMoc,EAAOmE,QAASsC,WAAY,CAAC,GACxDzG,EAAOC,IAAI4B,QACbT,EAAIU,GAAK8I,EAAO9I,IAElB9B,EAAO4B,WAAW5X,OAAS,EAC3B8a,EAAS9E,EAAQ,iBAAkBoB,EACrC,CACA,SAASyJ,EAAMjnB,EAAMknB,GACnB,IACIC,EADKnnB,EAAKgI,QAAQ,KACF,EAAI,CAAC,GAAIhI,GAAQA,EAAKsX,MAAM,KAC5C8P,EAASD,EAAS,GAClBE,EAAQF,EAAS,GAKrB,OAJID,GAAsB,UAATlnB,IACfonB,EAAS,QACTC,EAAQ,IAEH,CAAED,SAAQC,QACnB,CACA,SAAS1E,EAAOvG,GAId,GAHKA,EAAOhI,SACVgI,EAAOmG,WAAanG,EAAOmG,WAAWnG,EAAOe,eAEO,IAAlDf,EAAO4B,WAAWhW,QAAQoU,EAAOmG,aAAsBnG,EAAOoB,IAAIqF,WAAWhE,eAAezC,EAAOmG,YACrGnG,EAAOmG,WAAanG,EAAOoG,YAAc,OAD3C,CAIA,GAAIpG,EAAOC,IAAI4B,MAAO,CACpB,IAAIqJ,EAAKL,EAAM7K,EAAOmG,YAAY,GAC9B6E,EAASE,EAAGF,OACZC,EAAQC,EAAGD,MACf,GAAe,UAAXD,EACF,GAAc,QAAVC,GAAmBjL,EAAOoG,cAAgBuD,EAC5CrG,EACEtD,EACA,gCAAkC2J,EAAgB,aAAe3J,EAAOoG,kBAErE,GAAc,UAAV6E,GAAqBjL,EAAOoG,cAAgBwD,EACrDtG,EACEtD,EACA,kCAAoC4J,EAAkB,aAAe5J,EAAOoG,iBAEzE,CACL,IAAIhF,EAAMpB,EAAOoB,IACbwJ,EAAS5K,EAAOgB,KAAKhB,EAAOgB,KAAKhX,OAAS,IAAMgW,EAChDoB,EAAIU,KAAO8I,EAAO9I,KACpBV,EAAIU,GAAKvY,OAAOmY,OAAOkJ,EAAO9I,KAEhCV,EAAIU,GAAGmJ,GAASjL,EAAOoG,WACzB,CAEFpG,EAAO4B,WAAWnW,KAAK,CAACuU,EAAOmG,WAAYnG,EAAOoG,aACpD,MACEpG,EAAOoB,IAAIqF,WAAWzG,EAAOmG,YAAcnG,EAAOoG,YAClDtB,EAAS9E,EAAQ,cAAe,CAC9Bpc,KAAMoc,EAAOmG,WACb7Y,MAAO0S,EAAOoG,cAGlBpG,EAAOmG,WAAanG,EAAOoG,YAAc,EAjCzC,CAkCF,CACA,SAASL,EAAQ/F,EAAQmL,GACvB,GAAInL,EAAOC,IAAI4B,MAAO,CACpB,IAAIT,EAAMpB,EAAOoB,IACb8J,EAAKL,EAAM7K,EAAOmE,SACtB/C,EAAI4J,OAASE,EAAGF,OAChB5J,EAAI6J,MAAQC,EAAGD,MACf7J,EAAIgK,IAAMhK,EAAIU,GAAGoJ,EAAGF,SAAW,GAC3B5J,EAAI4J,SAAW5J,EAAIgK,MACrB9H,EAAWtD,EAAQ,6BAA+BlS,KAAKC,UAAUiS,EAAOmE,UACxE/C,EAAIgK,IAAMF,EAAGF,QAEf,IAAIJ,EAAS5K,EAAOgB,KAAKhB,EAAOgB,KAAKhX,OAAS,IAAMgW,EAChDoB,EAAIU,IAAM8I,EAAO9I,KAAOV,EAAIU,IAC9BvY,OAAOwH,KAAKqQ,EAAIU,IAAI/U,QAAQ,SAASse,GACnCvG,EAAS9E,EAAQ,kBAAmB,CAClCgL,OAAQK,EACRD,IAAKhK,EAAIU,GAAGuJ,IAEhB,GAEF,IAAK,IAAIrM,EAAK,EAAGwB,EAAKR,EAAO4B,WAAW5X,OAAQgV,EAAKwB,EAAIxB,IAAM,CAC7D,IAAIsM,EAAKtL,EAAO4B,WAAW5C,GACvBpb,EAAO0nB,EAAG,GACVhe,EAAQge,EAAG,GACXP,EAAWF,EAAMjnB,GAAM,GACvBonB,EAASD,EAASC,OAClBC,EAAQF,EAASE,MACjBG,EAAiB,KAAXJ,EAAgB,GAAK5J,EAAIU,GAAGkJ,IAAW,GAC7CxN,EAAK,CACP5Z,OACA0J,QACA0d,SACAC,QACAG,OAEEJ,GAAqB,UAAXA,IAAuBI,IACnC9H,EAAWtD,EAAQ,6BAA+BlS,KAAKC,UAAUid,IACjExN,EAAG4N,IAAMJ,GAEXhL,EAAOoB,IAAIqF,WAAW7iB,GAAQ4Z,EAC9BsH,EAAS9E,EAAQ,cAAexC,EAClC,CACAwC,EAAO4B,WAAW5X,OAAS,CAC7B,CACAgW,EAAOoB,IAAImK,gBAAkBJ,EAC7BnL,EAAOmB,SAAU,EACjBnB,EAAOgB,KAAKvV,KAAKuU,EAAOoB,KACxB0D,EAAS9E,EAAQ,YAAaA,EAAOoB,KAChC+J,IACEnL,EAAOqB,UAA6C,WAAjCrB,EAAOmE,QAAQqH,cAGrCxL,EAAOvY,MAAQ6Z,EAAE2B,KAFjBjD,EAAOvY,MAAQ6Z,EAAEoC,OAInB1D,EAAOoB,IAAM,KACbpB,EAAOmE,QAAU,IAEnBnE,EAAOmG,WAAanG,EAAOoG,YAAc,GACzCpG,EAAO4B,WAAW5X,OAAS,CAC7B,CACA,SAASkc,EAASlG,GAChB,IAAKA,EAAOmE,QAIV,OAHAb,EAAWtD,EAAQ,0BACnBA,EAAOmD,UAAY,WACnBnD,EAAOvY,MAAQ6Z,EAAE2B,MAGnB,GAAIjD,EAAO4D,OAAQ,CACjB,GAAuB,WAAnB5D,EAAOmE,QAIT,OAHAnE,EAAO4D,QAAU,KAAO5D,EAAOmE,QAAU,IACzCnE,EAAOmE,QAAU,QACjBnE,EAAOvY,MAAQ6Z,EAAEoC,QAGnBoB,EAAS9E,EAAQ,WAAYA,EAAO4D,QACpC5D,EAAO4D,OAAS,EAClB,CACA,IAAIpJ,EAAKwF,EAAOgB,KAAKhX,OACjBma,EAAUnE,EAAOmE,QAChBnE,EAAOhI,SACVmM,EAAUA,EAAQnE,EAAOe,cAG3B,IADA,IAAI0K,EAAUtH,EACP3J,KACOwF,EAAOgB,KAAKxG,GACd5W,OAAS6nB,GACjBnI,EAAWtD,EAAQ,wBAKvB,GAAIxF,EAAK,EAIP,OAHA8I,EAAWtD,EAAQ,0BAA4BA,EAAOmE,SACtDnE,EAAOmD,UAAY,KAAOnD,EAAOmE,QAAU,SAC3CnE,EAAOvY,MAAQ6Z,EAAE2B,MAGnBjD,EAAOmE,QAAUA,EAEjB,IADA,IAAImG,EAAKtK,EAAOgB,KAAKhX,OACdsgB,KAAO9P,GAAI,CAChB,IAAI4G,EAAMpB,EAAOoB,IAAMpB,EAAOgB,KAAK0K,MACnC1L,EAAOmE,QAAUnE,EAAOoB,IAAIxd,KAC5BkhB,EAAS9E,EAAQ,aAAcA,EAAOmE,SACtC,IAAIwH,EAAI,CAAC,EACT,IAAK,IAAI3M,KAAMoC,EAAIU,GACjB6J,EAAE3M,GAAMoC,EAAIU,GAAG9C,GAEjB,IAAI4L,EAAS5K,EAAOgB,KAAKhB,EAAOgB,KAAKhX,OAAS,IAAMgW,EAChDA,EAAOC,IAAI4B,OAAST,EAAIU,KAAO8I,EAAO9I,IACxCvY,OAAOwH,KAAKqQ,EAAIU,IAAI/U,QAAQ,SAASse,GACnC,IAAIO,EAAKxK,EAAIU,GAAGuJ,GAChBvG,EAAS9E,EAAQ,mBAAoB,CAAEgL,OAAQK,EAAID,IAAKQ,GAC1D,EAEJ,CACW,IAAPpR,IAAUwF,EAAOkB,YAAa,GAClClB,EAAOmE,QAAUnE,EAAOoG,YAAcpG,EAAOmG,WAAa,GAC1DnG,EAAO4B,WAAW5X,OAAS,EAC3BgW,EAAOvY,MAAQ6Z,EAAE2B,IACnB,CACA,SAASoE,EAAYrH,GACnB,IAEItB,EAFA6I,EAASvH,EAAOuH,OAChBsE,EAAWtE,EAAOiE,cAElBM,EAAS,GACb,OAAI9L,EAAOyB,SAAS8F,GACXvH,EAAOyB,SAAS8F,GAErBvH,EAAOyB,SAASoK,GACX7L,EAAOyB,SAASoK,IAGA,OADzBtE,EAASsE,GACE/I,OAAO,KACS,MAArByE,EAAOzE,OAAO,IAChByE,EAASA,EAAOwE,MAAM,GAEtBD,GADApN,EAAMsN,SAASzE,EAAQ,KACV3I,SAAS,MAEtB2I,EAASA,EAAOwE,MAAM,GAEtBD,GADApN,EAAMsN,SAASzE,EAAQ,KACV3I,SAAS,MAG1B2I,EAASA,EAAOplB,QAAQ,MAAO,IAC3Bmd,MAAMZ,IAAQoN,EAAON,gBAAkBjE,GACzCjE,EAAWtD,EAAQ,4BACZ,IAAMA,EAAOuH,OAAS,KAExBpZ,OAAO8b,cAAcvL,GAC9B,CACA,SAASsE,EAAgBhD,EAAQ6C,GACpB,MAAPA,GACF7C,EAAOvY,MAAQ6Z,EAAEkC,UACjBxD,EAAOyD,iBAAmBzD,EAAOkC,UACvBmB,EAAaR,KACvBS,EAAWtD,EAAQ,oCACnBA,EAAOmD,SAAWN,EAClB7C,EAAOvY,MAAQ6Z,EAAE2B,KAErB,CACA,SAASH,EAAOF,EAAO5D,GACrB,IAAIiN,EAAS,GAIb,OAHIjN,EAAK4D,EAAM5Y,SACbiiB,EAASrJ,EAAME,OAAO9D,IAEjBiN,CACT,CArRA3K,EAAIvB,EAAKoK,MAmyBJhc,OAAO8b,gBAEJF,EAAqB5b,OAAOoc,aAC5BP,EAAQrC,KAAKqC,MACbC,EAAgB,WAClB,IAEIiC,EACAC,EAFAC,EAAY,GAGZ/Q,GAAS,EACTrR,EAAS8M,UAAU9M,OACvB,IAAKA,EACH,MAAO,GAGT,IADA,IAAIiiB,EAAS,KACJ5Q,EAAQrR,GAAQ,CACvB,IAAIqiB,EAAYvT,OAAOhC,UAAUuE,IACjC,IAAKiR,SAASD,IACdA,EAAY,GACZA,EAAY,SACZrC,EAAMqC,KAAeA,EACnB,MAAME,WAAW,uBAAyBF,GAExCA,GAAa,MACfD,EAAU3gB,KAAK4gB,IAGfH,EAAoC,QADpCG,GAAa,QACiB,IAC9BF,EAAeE,EAAY,KAAO,MAClCD,EAAU3gB,KAAKygB,EAAeC,KAE5B9Q,EAAQ,IAAMrR,GAAUoiB,EAAUpiB,OA1BzB,SA2BXiiB,GAAUlC,EAAmBzB,MAAM,KAAM8D,GACzCA,EAAUpiB,OAAS,EAEvB,CACA,OAAOiiB,CACT,EACI1iB,OAAOwf,eACTxf,OAAOwf,eAAe5a,OAAQ,gBAAiB,CAC7Cb,MAAO2c,EACPZ,cAAc,EACdb,UAAU,IAGZra,OAAO8b,cAAgBA,EAI9B,CA/6CD,CANQ,CAAC,IA6tDb,IAAIuC,EAA6C,CAAEC,IACjDA,EAA0C,aAAI,gBAC9CA,EAAuC,UAAI,YAC3CA,EAAuC,UAAI,YACpCA,GAJwC,CAK9CD,GAA8B,CAAC,GAClC,MAAME,UAA6Bna,MACjC,WAAAwL,CAAYxb,GACVoqB,MAAM,WAAWpqB,EAAQqqB,WAAWrqB,EAAQsqB,yBAAyBtqB,EAAQuqB,YAAa,CAAEC,MAAOxqB,GACrG,CAIA,YAAIuqB,GACF,OAAOxpB,KAAKypB,MAAMD,QACpB,CAIA,UAAIF,GACF,OAAOtpB,KAAKypB,MAAMH,MACpB,CAIA,WAAIC,GACF,OAAOvpB,KAAKypB,MAAMF,OACpB,EAEF,SAASG,EAAiBF,GACxB,MAAMG,GAAe,SAAkBC,MACjCC,EAAsBF,EAAaG,+BAAiChX,OAAOiX,YAAYC,gCAAkC,CAAC,IAAK,MACrI,IAAK,MAAMC,KAAaJ,EACtB,GAAIL,EAASnjB,SAAS4jB,GACpB,MAAM,IAAIb,EAAqB,CAAEG,QAASU,EAAWX,OAAQ,YAAaE,aAK9E,GAFAA,EAAWA,EAASU,qBACOP,EAAaQ,qBAAuB,CAAC,cACzC9jB,SAASmjB,GAC9B,MAAM,IAAIJ,EAAqB,CAC7BI,WACAD,QAASC,EACTF,OAAQ,kBAIZ,MAAMc,EAAgBZ,EAASlhB,QAAQ,IAAK,GACtC+hB,EAAYb,EAAS1J,UAAU,GAAsB,IAAnBsK,OAAuB,EAASA,GAExE,IADmCT,EAAaW,8BAAgC,IACjDjkB,SAASgkB,GACtC,MAAM,IAAIjB,EAAqB,CAC7BI,WACAD,QAASc,EACTf,OAAQ,kBAIZ,MAAMiB,EAA8BZ,EAAaa,+BAAiC,CAAC,QAAS,aAC5F,IAAK,MAAMC,KAAaF,EACtB,GAAIf,EAAS9iB,OAAS+jB,EAAU/jB,QAAU8iB,EAASkB,SAASD,GAC1D,MAAM,IAAIrB,EAAqB,CAAEG,QAASkB,EAAWnB,OAAQ,YAAaE,YAGhF,CA2BA,MAAMmB,EAAY,CAAC,IAAK,KAAM,KAAM,KAAM,KAAM,MAC1CC,EAAkB,CAAC,IAAK,MAAO,MAAO,MAAO,MAAO,OAC1D,SAASC,EAAeC,EAAMC,GAAiB,EAAOC,GAAiB,EAAOC,GAAW,GACvFD,EAAiBA,IAAmBC,EAChB,iBAATH,IACTA,EAAOtV,OAAOsV,IAEhB,IAAII,EAAQJ,EAAO,EAAIzG,KAAKqC,MAAMrC,KAAK8G,IAAIL,GAAQzG,KAAK8G,IAAIF,EAAW,IAAM,OAAS,EACtFC,EAAQ7G,KAAK+G,KAAKJ,EAAiBJ,EAAgBlkB,OAASikB,EAAUjkB,QAAU,EAAGwkB,GACnF,MAAMG,EAAiBL,EAAiBJ,EAAgBM,GAASP,EAAUO,GAC3E,IAAII,GAAgBR,EAAOzG,KAAKkH,IAAIN,EAAW,IAAM,KAAMC,IAAQM,QAAQ,GAC3E,OAAuB,IAAnBT,GAAqC,IAAVG,GACJ,QAAjBI,EAAyB,OAAS,OAASN,EAAiBJ,EAAgB,GAAKD,EAAU,KAGnGW,EADEJ,EAAQ,EACKO,WAAWH,GAAcE,QAAQ,GAEjCC,WAAWH,GAAcI,gBAAe,WAElDJ,EAAe,IAAMD,EAC9B,CACA,SAASnhB,EAAcF,EAAO2hB,GAAc,GAC1C,IACE3hB,EAAQ,GAAGA,IAAQkgB,oBAAoB0B,WAAW,OAAQ,IAAIA,WAAW,IAAK,IAChF,CAAE,MAAO7E,GACP,OAAO,IACT,CACA,MAAMlM,EAAQ7Q,EAAM6Q,MAAM,yCAC1B,GAAc,OAAVA,GAA+B,MAAbA,EAAM,IAA2B,KAAbA,EAAM,GAC9C,OAAO,KAET,MASMgR,EAAgB,GAAGhR,EAAM,KACzBnZ,EAAoB,MAAbmZ,EAAM,IAAc8Q,EAAc,KAAO,IACtD,OAAOtH,KAAKyH,MAAMtW,OAAOiW,WAAWI,GAAiBnqB,GAXlC,CACjB,GAAI,EACJqqB,EAAG,EACHC,EAAG,EACHC,EAAG,EACHhqB,EAAG,EACHiqB,EAAG,EACHjlB,EAAG,GAImE4T,EAAM,IAChF,CACA,SAASpQ,EAAUT,GACjB,OAAIA,aAAiBmiB,KACZniB,EAAMoiB,cAERvhB,OAAOb,EAChB,CA6BA,SAASqiB,EAAUC,EAAOrtB,EAAU,CAAC,GACnC,MAAMstB,EAAiB,CAErBC,YAAa,WAEbC,aAAc,SACXxtB,GA6BL,OA/DF,SAAiBytB,EAAYC,EAAcC,GAEzCA,EAASA,GAAU,GACnB,MAAMjiB,GAFNgiB,EAAeA,GAAgB,CAAE3iB,GAAUA,IAEdlE,IAAI,CAAC+mB,EAAG9U,IAAuC,SAA5B6U,EAAO7U,IAAU,OAAmB,GAAK,GACnF+U,EAAW5pB,KAAKC,SACpB,EAAC,WAAe,WAChB,CAEEG,SAAS,EACTC,MAAO,SAGX,MAAO,IAAImpB,GAAYrhB,KAAK,CAAC6O,EAAIC,KAC/B,IAAK,MAAOpC,EAAO+D,KAAe6Q,EAAaI,UAAW,CACxD,MAAM/iB,EAAQ8iB,EAASphB,QAAQjB,EAAUqR,EAAW5B,IAAMzP,EAAUqR,EAAW3B,KAC/E,GAAc,IAAVnQ,EACF,OAAOA,EAAQW,EAAQoN,EAE3B,CACA,OAAO,GAEX,CA0CSvT,CAAQ8nB,EA1BM,IAEhBC,EAAeS,mBAAqB,CAAE3Q,GAAiC,IAA3BA,EAAE8G,YAAY8J,UAAkB,MAE5EV,EAAeW,iBAAmB,CAAE7Q,GAAiB,WAAXA,EAAE8Q,MAAqB,MAElC,aAA/BZ,EAAeC,YAA6B,CAAEnQ,GAAMA,EAAEkQ,EAAeC,cAAgBnQ,EAAE8G,WAAWoJ,EAAeC,cAAgB,GAEnInQ,IAAMgO,OATU/pB,EASA+b,EAAE+Q,aAAe/Q,EAAE8G,YAAYiK,aAAe/Q,EAAEgR,UAAY,IAT9CC,YAAY,KAAO,EAAIhtB,EAAKmoB,MAAM,EAAGnoB,EAAKgtB,YAAY,MAAQhtB,EAA7E,IAACA,GAWhB+b,GAAMA,EAAEgR,UAEI,IAEVd,EAAeS,mBAAqB,CAAC,OAAS,MAE9CT,EAAeW,iBAAmB,CAAC,OAAS,MAEb,UAA/BX,EAAeC,YAA0B,CAAiC,QAAhCD,EAAeE,aAAyB,OAAS,OAAS,MAErE,UAA/BF,EAAeC,aAA0D,aAA/BD,EAAeC,YAA6B,CAACD,EAAeE,cAAgB,GAEzHF,EAAeE,aAEfF,EAAeE,cAGnB,C,gDCt1FA,SAAec,E,SAAAA,MACVC,OAAO,YACPC,aACA7pB,O,gBCmDL,SAAS8pB,EAAYC,EAAIC,GACvB,IAAIC,EAAQ,CACVvtB,KAAMqtB,EAAGrtB,KACTC,KAAMotB,EAAGptB,KACTutB,KAAMH,EAAGG,KACTC,MAAOJ,EAAGI,MACVvuB,OAAQmuB,EAAGnuB,OACXwuB,SAAUL,EAAGK,SACb3Z,KAAMsZ,EAAGtZ,MAKX,OAHIuZ,IACFC,EAAMD,KAAOF,EAAWE,IAEnB3nB,OAAO4T,OAAOgU,EACvB,CAzEA/W,EAAQ,EAAO,SAAUvU,EAAOG,EAAQzD,GACtC,IAAIgvB,GAAchvB,GAAW,CAAC,GAAGgvB,YAAc,QAE/C1rB,EAAM2rB,eAAeD,EAAY,CAC/BE,YAAY,EACZhqB,MAAOupB,EAAWhrB,EAAO0rB,cACzB1oB,UAAW,CACT,cAAiB,SAAwBvB,EAAOkqB,GAC9C9rB,EAAM4B,MAAM8pB,GAAcP,EAAWW,EAAWV,GAAIU,EAAWT,KACjE,KAIJ,IACIU,EADAC,GAAkB,EAIlBC,EAAejsB,EAAMksB,MACvB,SAAUtqB,GAAS,OAAOA,EAAM8pB,EAAa,EAC7C,SAAUS,GACR,IAAIV,EAAWU,EAAMV,SACjBA,IAAaM,IAGE,MAAfA,IACFC,GAAkB,EAClB7rB,EAAOyF,KAAKumB,IAEdJ,EAAcN,EAChB,EACA,CAAEvrB,MAAM,IAINksB,EAAkBjsB,EAAOksB,UAAU,SAAUjB,EAAIC,GAC/CW,EACFA,GAAkB,GAGpBD,EAAcX,EAAGK,SACjBzrB,EAAMuG,OAAOmlB,EAAa,iBAAkB,CAAEN,GAAIA,EAAIC,KAAMA,IAC9D,GAEA,OAAO,WAEkB,MAAnBe,GACFA,IAIkB,MAAhBH,GACFA,IAIFjsB,EAAMssB,iBAAiBZ,EACzB,CACF,C,GCxDIa,EAA2B,CAAC,EAGhC,SAASC,EAAoBC,GAE5B,IAAIC,EAAeH,EAAyBE,GAC5C,QAAqBvb,IAAjBwb,EACH,OAAOA,EAAanY,QAGrB,IAAIK,EAAS2X,EAAyBE,GAAY,CACjDlrB,GAAIkrB,EACJE,QAAQ,EACRpY,QAAS,CAAC,GAUX,OANAqY,EAAoBH,GAAU5I,KAAKjP,EAAOL,QAASK,EAAQA,EAAOL,QAASiY,GAG3E5X,EAAO+X,QAAS,EAGT/X,EAAOL,OACf,CAGAiY,EAAoB/C,EAAImD,EnB5BpB3wB,EAAW,GACfuwB,EAAoBK,EAAI,CAACzG,EAAQ0G,EAAUC,EAAIC,KAC9C,IAAGF,EAAH,CAMA,IAAIG,EAAeC,IACnB,IAASC,EAAI,EAAGA,EAAIlxB,EAASkI,OAAQgpB,IAAK,CACrCL,EAAW7wB,EAASkxB,GAAG,GACvBJ,EAAK9wB,EAASkxB,GAAG,GACjBH,EAAW/wB,EAASkxB,GAAG,GAE3B,IAJA,IAGIC,GAAY,EACPC,EAAI,EAAGA,EAAIP,EAAS3oB,OAAQkpB,MACpB,EAAXL,GAAsBC,GAAgBD,IAAatpB,OAAOwH,KAAKshB,EAAoBK,GAAGS,MAAO9lB,GAASglB,EAAoBK,EAAErlB,GAAKslB,EAASO,KAC9IP,EAASznB,OAAOgoB,IAAK,IAErBD,GAAY,EACTJ,EAAWC,IAAcA,EAAeD,IAG7C,GAAGI,EAAW,CACbnxB,EAASoJ,OAAO8nB,IAAK,GACrB,IAAII,EAAIR,SACE7b,IAANqc,IAAiBnH,EAASmH,EAC/B,CACD,CACA,OAAOnH,CArBP,CAJC4G,EAAWA,GAAY,EACvB,IAAI,IAAIG,EAAIlxB,EAASkI,OAAQgpB,EAAI,GAAKlxB,EAASkxB,EAAI,GAAG,GAAKH,EAAUG,IAAKlxB,EAASkxB,GAAKlxB,EAASkxB,EAAI,GACrGlxB,EAASkxB,GAAK,CAACL,EAAUC,EAAIC,IoBJ/BR,EAAoB7sB,EAAKiV,IACxB,IAAI4Y,EAAS5Y,GAAUA,EAAO6Y,WAC7B,IAAO7Y,EAAiB,QACxB,IAAM,EAEP,OADA4X,EAAoBkB,EAAEF,EAAQ,CAAEzkB,EAAGykB,IAC5BA,GCLRhB,EAAoBkB,EAAI,CAACnZ,EAASoZ,KACjC,IAAI,IAAInmB,KAAOmmB,EACXnB,EAAoB9P,EAAEiR,EAAYnmB,KAASglB,EAAoB9P,EAAEnI,EAAS/M,IAC5E9D,OAAOwf,eAAe3O,EAAS/M,EAAK,CAAE+b,YAAY,EAAM9mB,IAAKkxB,EAAWnmB,MCJ3EglB,EAAoBoB,EAAI,CAAC,EAGzBpB,EAAoB9nB,EAAKmpB,GACjBrhB,QAAQshB,IAAIpqB,OAAOwH,KAAKshB,EAAoBoB,GAAGG,OAAO,CAACC,EAAUxmB,KACvEglB,EAAoBoB,EAAEpmB,GAAKqmB,EAASG,GAC7BA,GACL,KCNJxB,EAAoByB,EAAKJ,KAEX,CAAC,KAAO,iBAAiB,KAAO,sBAAsBA,IAAYA,GAAW,IAAMA,EAAU,SAAW,CAAC,GAAK,uBAAuB,IAAM,uBAAuB,IAAM,uBAAuB,KAAO,uBAAuB,KAAO,uBAAuB,KAAO,uBAAuB,KAAO,uBAAuB,KAAO,uBAAuB,KAAO,uBAAuB,KAAO,uBAAuB,KAAO,uBAAuB,KAAO,wBAAwBA,ICH5drB,EAAoB9C,EAAI,WACvB,GAA0B,iBAAfwE,WAAyB,OAAOA,WAC3C,IACC,OAAOzwB,MAAQ,IAAI0wB,SAAS,cAAb,EAChB,CAAE,MAAOzpB,GACR,GAAsB,iBAAX6L,OAAqB,OAAOA,MACxC,CACA,CAPuB,GCAxBic,EAAoB9P,EAAI,CAAC0R,EAAKC,IAAU3qB,OAAOjE,UAAUmd,eAAeiH,KAAKuK,EAAKC,GxBA9EnyB,EAAa,CAAC,EACdC,EAAoB,aAExBqwB,EAAoB8B,EAAI,CAACjyB,EAAKkyB,EAAM/mB,EAAKqmB,KACxC,GAAG3xB,EAAWG,GAAQH,EAAWG,GAAKuJ,KAAK2oB,OAA3C,CACA,IAAIxQ,EAAQyQ,EACZ,QAAWtd,IAAR1J,EAEF,IADA,IAAIinB,EAAUC,SAASC,qBAAqB,UACpCxB,EAAI,EAAGA,EAAIsB,EAAQtqB,OAAQgpB,IAAK,CACvC,IAAIyB,EAAIH,EAAQtB,GAChB,GAAGyB,EAAEC,aAAa,QAAUxyB,GAAOuyB,EAAEC,aAAa,iBAAmB1yB,EAAoBqL,EAAK,CAAEuW,EAAS6Q,EAAG,KAAO,CACpH,CAEG7Q,IACHyQ,GAAa,GACbzQ,EAAS2Q,SAASI,cAAc,WAEzBC,QAAU,QACjBhR,EAAOiR,QAAU,IACbxC,EAAoByC,IACvBlR,EAAOmR,aAAa,QAAS1C,EAAoByC,IAElDlR,EAAOmR,aAAa,eAAgB/yB,EAAoBqL,GAExDuW,EAAOlJ,IAAMxY,GAEdH,EAAWG,GAAO,CAACkyB,GACnB,IAAIY,EAAmB,CAACC,EAAMzK,KAE7B5G,EAAOiF,QAAUjF,EAAOsR,OAAS,KACjCC,aAAaN,GACb,IAAIO,EAAUrzB,EAAWG,GAIzB,UAHOH,EAAWG,GAClB0hB,EAAOyR,YAAczR,EAAOyR,WAAWC,YAAY1R,GACnDwR,GAAWA,EAAQroB,QAAS6lB,GAAQA,EAAGpI,IACpCyK,EAAM,OAAOA,EAAKzK,IAElBqK,EAAUre,WAAWwe,EAAiBO,KAAK,UAAMxe,EAAW,CAAE0Z,KAAM,UAAW+E,OAAQ5R,IAAW,MACtGA,EAAOiF,QAAUmM,EAAiBO,KAAK,KAAM3R,EAAOiF,SACpDjF,EAAOsR,OAASF,EAAiBO,KAAK,KAAM3R,EAAOsR,QACnDb,GAAcE,SAASkB,KAAKC,YAAY9R,EApCkB,GyBH3DyO,EAAoBe,EAAKhZ,IACH,oBAAXub,QAA0BA,OAAOC,aAC1CrsB,OAAOwf,eAAe3O,EAASub,OAAOC,YAAa,CAAEtoB,MAAO,WAE7D/D,OAAOwf,eAAe3O,EAAS,aAAc,CAAE9M,OAAO,KCLvD+kB,EAAoBwD,IAAOpb,IAC1BA,EAAOqb,MAAQ,GACVrb,EAAOrW,WAAUqW,EAAOrW,SAAW,IACjCqW,GCHR4X,EAAoBa,EAAI,K,MCAxB,IAAI6C,EACA1D,EAAoB9C,EAAEyG,gBAAeD,EAAY1D,EAAoB9C,EAAElZ,SAAW,IACtF,IAAIke,EAAWlC,EAAoB9C,EAAEgF,SACrC,IAAKwB,GAAaxB,IACbA,EAAS0B,eAAkE,WAAjD1B,EAAS0B,cAAc9R,QAAQS,gBAC5DmR,EAAYxB,EAAS0B,cAAcvb,MAC/Bqb,GAAW,CACf,IAAIzB,EAAUC,EAASC,qBAAqB,UAC5C,GAAGF,EAAQtqB,OAEV,IADA,IAAIgpB,EAAIsB,EAAQtqB,OAAS,EAClBgpB,GAAK,KAAO+C,IAAc,aAAard,KAAKqd,KAAaA,EAAYzB,EAAQtB,KAAKtY,GAE3F,CAID,IAAKqb,EAAW,MAAM,IAAIxjB,MAAM,yDAChCwjB,EAAYA,EAAU5zB,QAAQ,SAAU,IAAIA,QAAQ,OAAQ,IAAIA,QAAQ,QAAS,IAAIA,QAAQ,YAAa,KAC1GkwB,EAAoB7C,EAAIuG,C,WClBxB1D,EAAoBxjB,EAAI0lB,SAAS2B,SAAWC,KAAK9f,SAAS+f,KAK1D,IAAIC,EAAkB,CACrB,KAAM,EACN,KAAM,GAGPhE,EAAoBoB,EAAEP,EAAI,CAACQ,EAASG,KAElC,IAAIyC,EAAqBjE,EAAoB9P,EAAE8T,EAAiB3C,GAAW2C,EAAgB3C,QAAW3c,EACtG,GAA0B,IAAvBuf,EAGF,GAAGA,EACFzC,EAASpoB,KAAK6qB,EAAmB,QAC3B,CAGL,IAAIC,EAAU,IAAIlkB,QAAQ,CAACmkB,EAASlkB,IAAYgkB,EAAqBD,EAAgB3C,GAAW,CAAC8C,EAASlkB,IAC1GuhB,EAASpoB,KAAK6qB,EAAmB,GAAKC,GAGtC,IAAIr0B,EAAMmwB,EAAoB7C,EAAI6C,EAAoByB,EAAEJ,GAEpDjpB,EAAQ,IAAI8H,MAgBhB8f,EAAoB8B,EAAEjyB,EAfFsoB,IACnB,GAAG6H,EAAoB9P,EAAE8T,EAAiB3C,KAEf,KAD1B4C,EAAqBD,EAAgB3C,MACR2C,EAAgB3C,QAAW3c,GACrDuf,GAAoB,CACtB,IAAIG,EAAYjM,IAAyB,SAAfA,EAAMiG,KAAkB,UAAYjG,EAAMiG,MAChEiG,EAAUlM,GAASA,EAAMgL,QAAUhL,EAAMgL,OAAO9a,IACpDjQ,EAAMoJ,QAAU,iBAAmB6f,EAAU,cAAgB+C,EAAY,KAAOC,EAAU,IAC1FjsB,EAAM7G,KAAO,iBACb6G,EAAMgmB,KAAOgG,EACbhsB,EAAMksB,QAAUD,EAChBJ,EAAmB,GAAG7rB,EACvB,GAGuC,SAAWipB,EAASA,EAE/D,GAYHrB,EAAoBK,EAAEQ,EAAKQ,GAA0C,IAA7B2C,EAAgB3C,GAGxD,IAAIkD,EAAuB,CAACC,EAA4Bn0B,KACvD,IAKI4vB,EAAUoB,EALVf,EAAWjwB,EAAK,GAChBo0B,EAAcp0B,EAAK,GACnBq0B,EAAUr0B,EAAK,GAGIswB,EAAI,EAC3B,GAAGL,EAASqE,KAAM5vB,GAAgC,IAAxBivB,EAAgBjvB,IAAa,CACtD,IAAIkrB,KAAYwE,EACZzE,EAAoB9P,EAAEuU,EAAaxE,KACrCD,EAAoB/C,EAAEgD,GAAYwE,EAAYxE,IAGhD,GAAGyE,EAAS,IAAI9K,EAAS8K,EAAQ1E,EAClC,CAEA,IADGwE,GAA4BA,EAA2Bn0B,GACrDswB,EAAIL,EAAS3oB,OAAQgpB,IACzBU,EAAUf,EAASK,GAChBX,EAAoB9P,EAAE8T,EAAiB3C,IAAY2C,EAAgB3C,IACrE2C,EAAgB3C,GAAS,KAE1B2C,EAAgB3C,GAAW,EAE5B,OAAOrB,EAAoBK,EAAEzG,IAG1BgL,EAAqBd,KAA4B,sBAAIA,KAA4B,uBAAK,GAC1Fc,EAAmBlqB,QAAQ6pB,EAAqBrB,KAAK,KAAM,IAC3D0B,EAAmBxrB,KAAOmrB,EAAqBrB,KAAK,KAAM0B,EAAmBxrB,KAAK8pB,KAAK0B,G,KCxFvF5E,EAAoByC,QAAK/d,ECGzB,IAAImgB,EAAsB7E,EAAoBK,OAAE3b,EAAW,CAAC,MAAO,IAAOsb,EAAoB,QAC9F6E,EAAsB7E,EAAoBK,EAAEwE,E","sources":["webpack:///nextcloud/webpack/runtime/chunk loaded","webpack:///nextcloud/webpack/runtime/load script","webpack:///nextcloud/apps/settings/src/store/api.js","webpack:///nextcloud/apps/settings/src/views/SettingsApp.vue","webpack:///nextcloud/apps/settings/src/views/SettingsApp.vue?vue&type=script&setup=true&lang=ts","webpack://nextcloud/./apps/settings/src/views/SettingsApp.vue?3a67","webpack:///nextcloud/apps/settings/src/router/routes.ts","webpack:///nextcloud/apps/settings/src/router/index.ts","webpack:///nextcloud/apps/settings/src/main-apps-users-management.ts","webpack:///nextcloud/apps/settings/src/utils/sorting.ts","webpack:///nextcloud/apps/settings/src/store/users.js","webpack:///nextcloud/apps/settings/src/store/apps.js","webpack:///nextcloud/apps/settings/src/store/users-settings.js","webpack:///nextcloud/apps/settings/src/store/oc.js","webpack:///nextcloud/apps/settings/src/store/index.js","webpack:///nextcloud/apps/settings/src/constants/GroupManagement.ts","webpack:///nextcloud/node_modules/@nextcloud/files/dist/index.mjs","webpack:///nextcloud/apps/settings/src/logger.ts","webpack:///nextcloud/node_modules/vuex-router-sync/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};","/**\n * SPDX-FileCopyrightText: 2018 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport axios from '@nextcloud/axios'\nimport { confirmPassword } from '@nextcloud/password-confirmation'\nimport '@nextcloud/password-confirmation/dist/style.css'\n\nconst sanitize = function(url) {\n\treturn url.replace(/\\/$/, '') // Remove last url slash\n}\n\nexport default {\n\n\t/**\n\t * This Promise is used to chain a request that require an admin password confirmation\n\t * Since chaining Promise have a very precise behavior concerning catch and then,\n\t * you'll need to be careful when using it.\n\t * e.g\n\t * // store\n\t * action(context) {\n\t * return api.requireAdmin().then((response) => {\n\t * return api.get('url')\n\t * .then((response) => {API success})\n\t * .catch((error) => {API failure});\n\t * }).catch((error) => {requireAdmin failure});\n\t * }\n\t * // vue\n\t * this.$store.dispatch('action').then(() => {always executed})\n\t *\n\t * Since Promise.then().catch().then() will always execute the last then\n\t * this.$store.dispatch('action').then will always be executed\n\t *\n\t * If you want requireAdmin failure to also catch the API request failure\n\t * you will need to throw a new error in the api.get.catch()\n\t *\n\t * e.g\n\t * api.requireAdmin().then((response) => {\n\t * api.get('url')\n\t * .then((response) => {API success})\n\t * .catch((error) => {throw error;});\n\t * }).catch((error) => {requireAdmin OR API failure});\n\t *\n\t * @return {Promise}\n\t */\n\trequireAdmin() {\n\t\treturn confirmPassword()\n\t},\n\tget(url, options) {\n\t\treturn axios.get(sanitize(url), options)\n\t},\n\tpost(url, data) {\n\t\treturn axios.post(sanitize(url), data)\n\t},\n\tpatch(url, data) {\n\t\treturn axios.patch(sanitize(url), data)\n\t},\n\tput(url, data) {\n\t\treturn axios.put(sanitize(url), data)\n\t},\n\tdelete(url, data) {\n\t\treturn axios.delete(sanitize(url), { params: data })\n\t},\n}\n","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c(_setup.NcContent,{attrs:{\"app-name\":\"settings\"}},[_c('router-view',{attrs:{\"name\":\"navigation\"}}),_vm._v(\" \"),_c('router-view'),_vm._v(\" \"),_c('router-view',{attrs:{\"name\":\"sidebar\"}})],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!./SettingsApp.vue?vue&type=script&setup=true&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!./SettingsApp.vue?vue&type=script&setup=true&lang=ts\"","import { render, staticRenderFns } from \"./SettingsApp.vue?vue&type=template&id=288003b1\"\nimport script from \"./SettingsApp.vue?vue&type=script&setup=true&lang=ts\"\nexport * from \"./SettingsApp.vue?vue&type=script&setup=true&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 { loadState } from '@nextcloud/initial-state';\nconst appstoreEnabled = loadState('settings', 'appstoreEnabled', true);\n// Dynamic loading\nconst AppStore = () => import(/* webpackChunkName: 'settings-apps-view' */ '../views/AppStore.vue');\nconst AppStoreNavigation = () => import(/* webpackChunkName: 'settings-apps-view' */ '../views/AppStoreNavigation.vue');\nconst AppStoreSidebar = () => import(/* webpackChunkName: 'settings-apps-view' */ '../views/AppStoreSidebar.vue');\nconst UserManagement = () => import(/* webpackChunkName: 'settings-users' */ '../views/UserManagement.vue');\nconst UserManagementNavigation = () => import(/* webpackChunkName: 'settings-users' */ '../views/UserManagementNavigation.vue');\nconst routes = [\n {\n name: 'users',\n path: '/:index(index.php/)?settings/users',\n components: {\n default: UserManagement,\n navigation: UserManagementNavigation,\n },\n props: true,\n children: [\n {\n path: ':selectedGroup',\n name: 'group',\n },\n ],\n },\n {\n path: '/:index(index.php/)?settings/apps',\n name: 'apps',\n redirect: {\n name: 'apps-category',\n params: {\n category: appstoreEnabled ? 'discover' : 'installed',\n },\n },\n components: {\n default: AppStore,\n navigation: AppStoreNavigation,\n sidebar: AppStoreSidebar,\n },\n children: [\n {\n path: ':category',\n name: 'apps-category',\n children: [\n {\n path: ':id',\n name: 'apps-details',\n },\n ],\n },\n ],\n },\n];\nexport default routes;\n","/**\n * SPDX-FileCopyrightText: 2018 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\nimport Vue from 'vue';\nimport Router from 'vue-router';\nimport { generateUrl } from '@nextcloud/router';\nimport routes from './routes.ts';\nVue.use(Router);\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(''),\n linkActiveClass: 'active',\n routes,\n});\nexport default router;\n","/**\n * SPDX-FileCopyrightText: 2018 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\nimport Vue from 'vue';\nimport Vuex from 'vuex';\nimport VTooltipPlugin from 'v-tooltip';\nimport { sync } from 'vuex-router-sync';\nimport { t, n } from '@nextcloud/l10n';\nimport SettingsApp from './views/SettingsApp.vue';\nimport router from './router/index.ts';\nimport { useStore } from './store/index.js';\nimport { getCSPNonce } from '@nextcloud/auth';\nimport { PiniaVuePlugin, createPinia } from 'pinia';\n// CSP config for webpack dynamic chunk loading\n// eslint-disable-next-line camelcase\n__webpack_nonce__ = getCSPNonce();\n// bind to window\nVue.prototype.t = t;\nVue.prototype.n = n;\nVue.use(PiniaVuePlugin);\nVue.use(VTooltipPlugin, { defaultHtml: false });\nVue.use(Vuex);\nconst store = useStore();\nsync(store, router);\nconst pinia = createPinia();\nexport default new Vue({\n router,\n store,\n pinia,\n render: h => h(SettingsApp),\n el: '#content',\n});\n","/**\n * SPDX-FileCopyrightText: 2025 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\nimport { getCanonicalLocale, getLanguage } from '@nextcloud/l10n';\nexport const naturalCollator = Intl.Collator([getLanguage(), getCanonicalLocale()], {\n numeric: true,\n usage: 'sort',\n});\n","/**\n * SPDX-FileCopyrightText: 2018 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport { getBuilder } from '@nextcloud/browser-storage'\nimport { getCapabilities } from '@nextcloud/capabilities'\nimport { parseFileSize } from '@nextcloud/files'\nimport { showError } from '@nextcloud/dialogs'\nimport { generateOcsUrl, generateUrl } from '@nextcloud/router'\nimport { loadState } from '@nextcloud/initial-state'\nimport axios from '@nextcloud/axios'\n\nimport { GroupSorting } from '../constants/GroupManagement.ts'\nimport { naturalCollator } from '../utils/sorting.ts'\nimport api from './api.js'\nimport logger from '../logger.ts'\n\nconst usersSettings = loadState('settings', 'usersSettings', {})\n\nconst localStorage = getBuilder('settings').persist(true).build()\n\nconst defaults = {\n\t/**\n\t * @type {import('../views/user-types').IGroup}\n\t */\n\tgroup: {\n\t\tid: '',\n\t\tname: '',\n\t\tusercount: 0,\n\t\tdisabled: 0,\n\t\tcanAdd: true,\n\t\tcanRemove: true,\n\t},\n}\n\nconst state = {\n\tusers: [],\n\tgroups: [\n\t\t...(usersSettings.getSubAdminGroups ?? []),\n\t\t...(usersSettings.systemGroups ?? []),\n\t],\n\torderBy: usersSettings.sortGroups ?? GroupSorting.UserCount,\n\tminPasswordLength: 0,\n\tusersOffset: 0,\n\tusersLimit: 25,\n\tdisabledUsersOffset: 0,\n\tdisabledUsersLimit: 25,\n\tuserCount: usersSettings.userCount ?? 0,\n\tshowConfig: {\n\t\tshowStoragePath: localStorage.getItem('account_settings__showStoragePath') === 'true',\n\t\tshowUserBackend: localStorage.getItem('account_settings__showUserBackend') === 'true',\n\t\tshowFirstLogin: localStorage.getItem('account_settings__showFirstLogin') === 'true',\n\t\tshowLastLogin: localStorage.getItem('account_settings__showLastLogin') === 'true',\n\t\tshowNewUserForm: localStorage.getItem('account_settings__showNewUserForm') === 'true',\n\t\tshowLanguages: localStorage.getItem('account_settings__showLanguages') === 'true',\n\t},\n}\n\nconst mutations = {\n\tappendUsers(state, usersObj) {\n\t\tconst existingUsers = state.users.map(({ id }) => id)\n\t\tconst newUsers = Object.values(usersObj)\n\t\t\t.filter(({ id }) => !existingUsers.includes(id))\n\n\t\tconst users = state.users.concat(newUsers)\n\t\tstate.usersOffset += state.usersLimit\n\t\tstate.users = users\n\t},\n\tupdateDisabledUsers(state, _usersObj) {\n\t\tstate.disabledUsersOffset += state.disabledUsersLimit\n\t},\n\tsetPasswordPolicyMinLength(state, length) {\n\t\tstate.minPasswordLength = length !== '' ? length : 0\n\t},\n\t/**\n\t * @param {object} state store state\n\t * @param {import('../views/user-types.js').IGroup} newGroup new group\n\t */\n\taddGroup(state, newGroup) {\n\t\ttry {\n\t\t\tif (typeof state.groups.find((group) => group.id === newGroup.id) !== 'undefined') {\n\t\t\t\treturn\n\t\t\t}\n\t\t\t// extend group to default values\n\t\t\tconst group = Object.assign({}, defaults.group, newGroup)\n\t\t\tstate.groups.unshift(group)\n\t\t} catch (e) {\n\t\t\tconsole.error('Can\\'t create group', e)\n\t\t}\n\t},\n\trenameGroup(state, { gid, displayName }) {\n\t\tconst groupIndex = state.groups.findIndex(groupSearch => groupSearch.id === gid)\n\t\tif (groupIndex >= 0) {\n\t\t\tconst updatedGroup = state.groups[groupIndex]\n\t\t\tupdatedGroup.name = displayName\n\t\t\tstate.groups.splice(groupIndex, 1, updatedGroup)\n\t\t}\n\t},\n\tremoveGroup(state, gid) {\n\t\tconst groupIndex = state.groups.findIndex(groupSearch => groupSearch.id === gid)\n\t\tif (groupIndex >= 0) {\n\t\t\tstate.groups.splice(groupIndex, 1)\n\t\t}\n\t},\n\taddUserGroup(state, { userid, gid }) {\n\t\tconst group = state.groups.find(groupSearch => groupSearch.id === gid)\n\t\tconst user = state.users.find(user => user.id === userid)\n\t\t// increase count if user is enabled\n\t\tif (group && user.enabled && state.userCount > 0) {\n\t\t\tgroup.usercount++\n\t\t}\n\t\tconst groups = user.groups\n\t\tgroups.push(gid)\n\t},\n\tremoveUserGroup(state, { userid, gid }) {\n\t\tconst group = state.groups.find(groupSearch => groupSearch.id === gid)\n\t\tconst user = state.users.find(user => user.id === userid)\n\t\t// lower count if user is enabled\n\t\tif (group && user.enabled && state.userCount > 0) {\n\t\t\tgroup.usercount--\n\t\t}\n\t\tconst groups = user.groups\n\t\tgroups.splice(groups.indexOf(gid), 1)\n\t},\n\taddUserSubAdmin(state, { userid, gid }) {\n\t\tconst groups = state.users.find(user => user.id === userid).subadmin\n\t\tgroups.push(gid)\n\t},\n\tremoveUserSubAdmin(state, { userid, gid }) {\n\t\tconst groups = state.users.find(user => user.id === userid).subadmin\n\t\tgroups.splice(groups.indexOf(gid), 1)\n\t},\n\tdeleteUser(state, userid) {\n\t\tconst userIndex = state.users.findIndex(user => user.id === userid)\n\t\tthis.commit('updateUserCounts', { user: state.users[userIndex], actionType: 'remove' })\n\t\tstate.users.splice(userIndex, 1)\n\t},\n\taddUserData(state, response) {\n\t\tconst user = response.data.ocs.data\n\t\tstate.users.unshift(user)\n\t\tthis.commit('updateUserCounts', { user, actionType: 'create' })\n\t},\n\tenableDisableUser(state, { userid, enabled }) {\n\t\tconst user = state.users.find(user => user.id === userid)\n\t\tuser.enabled = enabled\n\t\tthis.commit('updateUserCounts', { user, actionType: enabled ? 'enable' : 'disable' })\n\t},\n\t// update active/disabled counts, groups counts\n\tupdateUserCounts(state, { user, actionType }) {\n\t\t// 0 is a special value\n\t\tif (state.userCount === 0) {\n\t\t\treturn\n\t\t}\n\n\t\tconst recentGroup = state.groups.find(group => group.id === '__nc_internal_recent')\n\t\tconst disabledGroup = state.groups.find(group => group.id === 'disabled')\n\t\tswitch (actionType) {\n\t\tcase 'enable':\n\t\tcase 'disable':\n\t\t\tdisabledGroup.usercount += user.enabled ? -1 : 1 // update Disabled Users count\n\t\t\trecentGroup.usercount += user.enabled ? 1 : -1\n\t\t\tstate.userCount += user.enabled ? 1 : -1 // update Active Users count\n\t\t\tuser.groups.forEach(userGroup => {\n\t\t\t\tconst group = state.groups.find(groupSearch => groupSearch.id === userGroup)\n\t\t\t\tif (!group) {\n\t\t\t\t\treturn\n\t\t\t\t}\n\t\t\t\tgroup.disabled += user.enabled ? -1 : 1 // update group disabled count\n\t\t\t})\n\t\t\tbreak\n\t\tcase 'create':\n\t\t\trecentGroup.usercount++\n\t\t\tstate.userCount++ // increment Active Users count\n\n\t\t\tuser.groups.forEach(userGroup => {\n\t\t\t\tconst group = state.groups.find(groupSearch => groupSearch.id === userGroup)\n\t\t\t\tif (!group) {\n\t\t\t\t\treturn\n\t\t\t\t}\n\t\t\t\tgroup.usercount++ // increment group total count\n\t\t\t})\n\t\t\tbreak\n\t\tcase 'remove':\n\t\t\tif (user.enabled) {\n\t\t\t\trecentGroup.usercount--\n\t\t\t\tstate.userCount-- // decrement Active Users count\n\t\t\t\tuser.groups.forEach(userGroup => {\n\t\t\t\t\tconst group = state.groups.find(groupSearch => groupSearch.id === userGroup)\n\t\t\t\t\tif (!group) {\n\t\t\t\t\t\tconsole.warn('User group ' + userGroup + ' does not exist during user removal')\n\t\t\t\t\t\treturn\n\t\t\t\t\t}\n\t\t\t\t\tgroup.usercount-- // decrement group total count\n\t\t\t\t})\n\t\t\t} else {\n\t\t\t\tdisabledGroup.usercount-- // decrement Disabled Users count\n\t\t\t\tuser.groups.forEach(userGroup => {\n\t\t\t\t\tconst group = state.groups.find(groupSearch => groupSearch.id === userGroup)\n\t\t\t\t\tif (!group) {\n\t\t\t\t\t\treturn\n\t\t\t\t\t}\n\t\t\t\t\tgroup.disabled-- // decrement group disabled count\n\t\t\t\t})\n\t\t\t}\n\t\t\tbreak\n\t\tdefault:\n\t\t\tlogger.error(`Unknown action type in updateUserCounts: '${actionType}'`)\n\t\t\t// not throwing error to interrupt execution as this is not fatal\n\t\t}\n\t},\n\tsetUserData(state, { userid, key, value }) {\n\t\tif (key === 'quota') {\n\t\t\tconst humanValue = parseFileSize(value, true)\n\t\t\tstate.users.find(user => user.id === userid)[key][key] = humanValue !== null ? humanValue : value\n\t\t} else {\n\t\t\tstate.users.find(user => user.id === userid)[key] = value\n\t\t}\n\t},\n\n\t/**\n\t * Reset users list\n\t *\n\t * @param {object} state the store state\n\t */\n\tresetUsers(state) {\n\t\tstate.users = []\n\t\tstate.usersOffset = 0\n\t\tstate.disabledUsersOffset = 0\n\t},\n\n\t/**\n\t * Reset group list\n\t *\n\t * @param {object} state the store state\n\t */\n\tresetGroups(state) {\n\t\tstate.groups = [\n\t\t\t...(usersSettings.getSubAdminGroups ?? []),\n\t\t\t...(usersSettings.systemGroups ?? []),\n\t\t]\n\t},\n\n\tsetShowConfig(state, { key, value }) {\n\t\tlocalStorage.setItem(`account_settings__${key}`, JSON.stringify(value))\n\t\tstate.showConfig[key] = value\n\t},\n\n\tsetGroupSorting(state, sorting) {\n\t\tconst oldValue = state.orderBy\n\t\tstate.orderBy = sorting\n\n\t\t// Persist the value on the server\n\t\taxios.post(\n\t\t\tgenerateUrl('/settings/users/preferences/group.sortBy'),\n\t\t\t{\n\t\t\t\tvalue: String(sorting),\n\t\t\t},\n\t\t).catch((error) => {\n\t\t\tstate.orderBy = oldValue\n\t\t\tshowError(t('settings', 'Could not set group sorting'))\n\t\t\tlogger.error(error)\n\t\t})\n\t},\n}\n\nconst getters = {\n\tgetUsers(state) {\n\t\treturn state.users\n\t},\n\tgetGroups(state) {\n\t\treturn state.groups\n\t},\n\tgetSubAdminGroups() {\n\t\treturn usersSettings.subAdminGroups ?? []\n\t},\n\n\tgetSortedGroups(state) {\n\t\tconst groups = [...state.groups]\n\t\tif (state.orderBy === GroupSorting.UserCount) {\n\t\t\treturn groups.sort((a, b) => {\n\t\t\t\tconst numA = a.usercount - a.disabled\n\t\t\t\tconst numB = b.usercount - b.disabled\n\t\t\t\treturn (numA < numB) ? 1 : (numB < numA ? -1 : naturalCollator.compare(a.name, b.name))\n\t\t\t})\n\t\t} else {\n\t\t\treturn groups.sort((a, b) => naturalCollator.compare(a.name, b.name))\n\t\t}\n\t},\n\tgetGroupSorting(state) {\n\t\treturn state.orderBy\n\t},\n\tgetPasswordPolicyMinLength(state) {\n\t\treturn state.minPasswordLength\n\t},\n\tgetUsersOffset(state) {\n\t\treturn state.usersOffset\n\t},\n\tgetUsersLimit(state) {\n\t\treturn state.usersLimit\n\t},\n\tgetDisabledUsersOffset(state) {\n\t\treturn state.disabledUsersOffset\n\t},\n\tgetDisabledUsersLimit(state) {\n\t\treturn state.disabledUsersLimit\n\t},\n\tgetUserCount(state) {\n\t\treturn state.userCount\n\t},\n\tgetShowConfig(state) {\n\t\treturn state.showConfig\n\t},\n}\n\nconst CancelToken = axios.CancelToken\nlet searchRequestCancelSource = null\n\nconst actions = {\n\n\t/**\n\t * search users\n\t *\n\t * @param {object} context store context\n\t * @param {object} options destructuring object\n\t * @param {number} options.offset List offset to request\n\t * @param {number} options.limit List number to return from offset\n\t * @param {string} options.search Search amongst users\n\t * @return {Promise}\n\t */\n\tsearchUsers(context, { offset, limit, search }) {\n\t\tsearch = typeof search === 'string' ? search : ''\n\n\t\treturn api.get(generateOcsUrl('cloud/users/details?offset={offset}&limit={limit}&search={search}', { offset, limit, search })).catch((error) => {\n\t\t\tif (!axios.isCancel(error)) {\n\t\t\t\tcontext.commit('API_FAILURE', error)\n\t\t\t}\n\t\t})\n\t},\n\n\t/**\n\t * Get user details\n\t *\n\t * @param {object} context store context\n\t * @param {string} userId user id\n\t * @return {Promise}\n\t */\n\tgetUser(context, userId) {\n\t\treturn api.get(generateOcsUrl(`cloud/users/${userId}`)).catch((error) => {\n\t\t\tif (!axios.isCancel(error)) {\n\t\t\t\tcontext.commit('API_FAILURE', error)\n\t\t\t}\n\t\t})\n\t},\n\n\t/**\n\t * Get all users with full details\n\t *\n\t * @param {object} context store context\n\t * @param {object} options destructuring object\n\t * @param {number} options.offset List offset to request\n\t * @param {number} options.limit List number to return from offset\n\t * @param {string} options.search Search amongst users\n\t * @param {string} options.group Get users from group\n\t * @return {Promise}\n\t */\n\tgetUsers(context, { offset, limit, search, group }) {\n\t\tif (searchRequestCancelSource) {\n\t\t\tsearchRequestCancelSource.cancel('Operation canceled by another search request.')\n\t\t}\n\t\tsearchRequestCancelSource = CancelToken.source()\n\t\tsearch = typeof search === 'string' ? search : ''\n\n\t\t/**\n\t\t * Adding filters in the search bar such as in:files, in:users, etc.\n\t\t * collides with this particular search, so we need to remove them\n\t\t * here and leave only the original search query\n\t\t */\n\t\tsearch = search.replace(/in:[^\\s]+/g, '').trim()\n\n\t\tgroup = typeof group === 'string' ? group : ''\n\t\tif (group !== '') {\n\t\t\treturn api.get(generateOcsUrl('cloud/groups/{group}/users/details?offset={offset}&limit={limit}&search={search}', { group: encodeURIComponent(group), offset, limit, search }), {\n\t\t\t\tcancelToken: searchRequestCancelSource.token,\n\t\t\t})\n\t\t\t\t.then((response) => {\n\t\t\t\t\tconst usersCount = Object.keys(response.data.ocs.data.users).length\n\t\t\t\t\tif (usersCount > 0) {\n\t\t\t\t\t\tcontext.commit('appendUsers', response.data.ocs.data.users)\n\t\t\t\t\t}\n\t\t\t\t\treturn usersCount\n\t\t\t\t})\n\t\t\t\t.catch((error) => {\n\t\t\t\t\tif (!axios.isCancel(error)) {\n\t\t\t\t\t\tcontext.commit('API_FAILURE', error)\n\t\t\t\t\t}\n\t\t\t\t})\n\t\t}\n\n\t\treturn api.get(generateOcsUrl('cloud/users/details?offset={offset}&limit={limit}&search={search}', { offset, limit, search }), {\n\t\t\tcancelToken: searchRequestCancelSource.token,\n\t\t})\n\t\t\t.then((response) => {\n\t\t\t\tconst usersCount = Object.keys(response.data.ocs.data.users).length\n\t\t\t\tif (usersCount > 0) {\n\t\t\t\t\tcontext.commit('appendUsers', response.data.ocs.data.users)\n\t\t\t\t}\n\t\t\t\treturn usersCount\n\t\t\t})\n\t\t\t.catch((error) => {\n\t\t\t\tif (!axios.isCancel(error)) {\n\t\t\t\t\tcontext.commit('API_FAILURE', error)\n\t\t\t\t}\n\t\t\t})\n\t},\n\n\t/**\n\t * Get recent users with full details\n\t *\n\t * @param {object} context store context\n\t * @param {object} options destructuring object\n\t * @param {number} options.offset List offset to request\n\t * @param {number} options.limit List number to return from offset\n\t * @param {string} options.search Search query\n\t * @return {Promise}\n\t */\n\tasync getRecentUsers(context, { offset, limit, search }) {\n\t\tconst url = generateOcsUrl('cloud/users/recent?offset={offset}&limit={limit}&search={search}', { offset, limit, search })\n\t\ttry {\n\t\t\tconst response = await api.get(url)\n\t\t\tconst usersCount = Object.keys(response.data.ocs.data.users).length\n\t\t\tif (usersCount > 0) {\n\t\t\t\tcontext.commit('appendUsers', response.data.ocs.data.users)\n\t\t\t}\n\t\t\treturn usersCount\n\t\t} catch (error) {\n\t\t\tcontext.commit('API_FAILURE', error)\n\t\t}\n\t},\n\n\t/**\n\t * Get disabled users with full details\n\t *\n\t * @param {object} context store context\n\t * @param {object} options destructuring object\n\t * @param {number} options.offset List offset to request\n\t * @param {number} options.limit List number to return from offset\n\t * @param options.search\n\t * @return {Promise}\n\t */\n\tasync getDisabledUsers(context, { offset, limit, search }) {\n\t\tconst url = generateOcsUrl('cloud/users/disabled?offset={offset}&limit={limit}&search={search}', { offset, limit, search })\n\t\ttry {\n\t\t\tconst response = await api.get(url)\n\t\t\tconst usersCount = Object.keys(response.data.ocs.data.users).length\n\t\t\tif (usersCount > 0) {\n\t\t\t\tcontext.commit('appendUsers', response.data.ocs.data.users)\n\t\t\t\tcontext.commit('updateDisabledUsers', response.data.ocs.data.users)\n\t\t\t}\n\t\t\treturn usersCount\n\t\t} catch (error) {\n\t\t\tcontext.commit('API_FAILURE', error)\n\t\t}\n\t},\n\n\tgetGroups(context, { offset, limit, search }) {\n\t\tsearch = typeof search === 'string' ? search : ''\n\t\tconst limitParam = limit === -1 ? '' : `&limit=${limit}`\n\t\treturn api.get(generateOcsUrl('cloud/groups?offset={offset}&search={search}', { offset, search }) + limitParam)\n\t\t\t.then((response) => {\n\t\t\t\tif (Object.keys(response.data.ocs.data.groups).length > 0) {\n\t\t\t\t\tresponse.data.ocs.data.groups.forEach(function(group) {\n\t\t\t\t\t\tcontext.commit('addGroup', { id: group, name: group })\n\t\t\t\t\t})\n\t\t\t\t\treturn true\n\t\t\t\t}\n\t\t\t\treturn false\n\t\t\t})\n\t\t\t.catch((error) => context.commit('API_FAILURE', error))\n\t},\n\n\t/**\n\t * Get all users with full details\n\t *\n\t * @param {object} context store context\n\t * @param {object} options destructuring object\n\t * @param {number} options.offset List offset to request\n\t * @param {number} options.limit List number to return from offset\n\t * @param {string} options.search -\n\t * @return {Promise}\n\t */\n\tgetUsersFromList(context, { offset, limit, search }) {\n\t\tsearch = typeof search === 'string' ? search : ''\n\t\treturn api.get(generateOcsUrl('cloud/users/details?offset={offset}&limit={limit}&search={search}', { offset, limit, search }))\n\t\t\t.then((response) => {\n\t\t\t\tif (Object.keys(response.data.ocs.data.users).length > 0) {\n\t\t\t\t\tcontext.commit('appendUsers', response.data.ocs.data.users)\n\t\t\t\t\treturn true\n\t\t\t\t}\n\t\t\t\treturn false\n\t\t\t})\n\t\t\t.catch((error) => context.commit('API_FAILURE', error))\n\t},\n\n\t/**\n\t * Get all users with full details from a groupid\n\t *\n\t * @param {object} context store context\n\t * @param {object} options destructuring object\n\t * @param {number} options.offset List offset to request\n\t * @param {number} options.limit List number to return from offset\n\t * @param {string} options.groupid -\n\t * @return {Promise}\n\t */\n\tgetUsersFromGroup(context, { groupid, offset, limit }) {\n\t\treturn api.get(generateOcsUrl('cloud/users/{groupId}/details?offset={offset}&limit={limit}', { groupId: encodeURIComponent(groupid), offset, limit }))\n\t\t\t.then((response) => context.commit('getUsersFromList', response.data.ocs.data.users))\n\t\t\t.catch((error) => context.commit('API_FAILURE', error))\n\t},\n\n\tgetPasswordPolicyMinLength(context) {\n\t\tif (getCapabilities().password_policy && getCapabilities().password_policy.minLength) {\n\t\t\tcontext.commit('setPasswordPolicyMinLength', getCapabilities().password_policy.minLength)\n\t\t\treturn getCapabilities().password_policy.minLength\n\t\t}\n\t\treturn false\n\t},\n\n\t/**\n\t * Add group\n\t *\n\t * @param {object} context store context\n\t * @param {string} gid Group id\n\t * @return {Promise}\n\t */\n\taddGroup(context, gid) {\n\t\treturn api.requireAdmin().then((response) => {\n\t\t\treturn api.post(generateOcsUrl('cloud/groups'), { groupid: gid })\n\t\t\t\t.then((response) => {\n\t\t\t\t\tcontext.commit('addGroup', { id: gid, name: gid })\n\t\t\t\t\treturn { gid, displayName: gid }\n\t\t\t\t})\n\t\t\t\t.catch((error) => { throw error })\n\t\t}).catch((error) => {\n\t\t\tcontext.commit('API_FAILURE', { gid, error })\n\t\t\t// let's throw one more time to prevent the view\n\t\t\t// from adding the user to a group that doesn't exists\n\t\t\tthrow error\n\t\t})\n\t},\n\n\t/**\n\t * Rename group\n\t *\n\t * @param {object} context store context\n\t * @param {string} groupid Group id\n\t * @param {string} displayName Group display name\n\t * @return {Promise}\n\t */\n\trenameGroup(context, { groupid, displayName }) {\n\t\treturn api.requireAdmin().then((response) => {\n\t\t\treturn api.put(generateOcsUrl('cloud/groups/{groupId}', { groupId: encodeURIComponent(groupid) }), { key: 'displayname', value: displayName })\n\t\t\t\t.then((response) => {\n\t\t\t\t\tcontext.commit('renameGroup', { gid: groupid, displayName })\n\t\t\t\t\treturn { groupid, displayName }\n\t\t\t\t})\n\t\t\t\t.catch((error) => { throw error })\n\t\t}).catch((error) => {\n\t\t\tcontext.commit('API_FAILURE', { groupid, error })\n\t\t\t// let's throw one more time to prevent the view\n\t\t\t// from renaming the group\n\t\t\tthrow error\n\t\t})\n\t},\n\n\t/**\n\t * Remove group\n\t *\n\t * @param {object} context store context\n\t * @param {string} gid Group id\n\t * @return {Promise}\n\t */\n\tremoveGroup(context, gid) {\n\t\treturn api.requireAdmin().then((response) => {\n\t\t\treturn api.delete(generateOcsUrl('cloud/groups/{groupId}', { groupId: encodeURIComponent(gid) }))\n\t\t\t\t.then((response) => context.commit('removeGroup', gid))\n\t\t\t\t.catch((error) => { throw error })\n\t\t}).catch((error) => context.commit('API_FAILURE', { gid, error }))\n\t},\n\n\t/**\n\t * Add user to group\n\t *\n\t * @param {object} context store context\n\t * @param {object} options destructuring object\n\t * @param {string} options.userid User id\n\t * @param {string} options.gid Group id\n\t * @return {Promise}\n\t */\n\taddUserGroup(context, { userid, gid }) {\n\t\treturn api.requireAdmin().then((response) => {\n\t\t\treturn api.post(generateOcsUrl('cloud/users/{userid}/groups', { userid }), { groupid: gid })\n\t\t\t\t.then((response) => context.commit('addUserGroup', { userid, gid }))\n\t\t\t\t.catch((error) => { throw error })\n\t\t}).catch((error) => context.commit('API_FAILURE', { userid, error }))\n\t},\n\n\t/**\n\t * Remove user from group\n\t *\n\t * @param {object} context store context\n\t * @param {object} options destructuring object\n\t * @param {string} options.userid User id\n\t * @param {string} options.gid Group id\n\t * @return {Promise}\n\t */\n\tremoveUserGroup(context, { userid, gid }) {\n\t\treturn api.requireAdmin().then((response) => {\n\t\t\treturn api.delete(generateOcsUrl('cloud/users/{userid}/groups', { userid }), { groupid: gid })\n\t\t\t\t.then((response) => context.commit('removeUserGroup', { userid, gid }))\n\t\t\t\t.catch((error) => { throw error })\n\t\t}).catch((error) => {\n\t\t\tcontext.commit('API_FAILURE', { userid, error })\n\t\t\t// let's throw one more time to prevent\n\t\t\t// the view from removing the user row on failure\n\t\t\tthrow error\n\t\t})\n\t},\n\n\t/**\n\t * Add user to group admin\n\t *\n\t * @param {object} context store context\n\t * @param {object} options destructuring object\n\t * @param {string} options.userid User id\n\t * @param {string} options.gid Group id\n\t * @return {Promise}\n\t */\n\taddUserSubAdmin(context, { userid, gid }) {\n\t\treturn api.requireAdmin().then((response) => {\n\t\t\treturn api.post(generateOcsUrl('cloud/users/{userid}/subadmins', { userid }), { groupid: gid })\n\t\t\t\t.then((response) => context.commit('addUserSubAdmin', { userid, gid }))\n\t\t\t\t.catch((error) => { throw error })\n\t\t}).catch((error) => context.commit('API_FAILURE', { userid, error }))\n\t},\n\n\t/**\n\t * Remove user from group admin\n\t *\n\t * @param {object} context store context\n\t * @param {object} options destructuring object\n\t * @param {string} options.userid User id\n\t * @param {string} options.gid Group id\n\t * @return {Promise}\n\t */\n\tremoveUserSubAdmin(context, { userid, gid }) {\n\t\treturn api.requireAdmin().then((response) => {\n\t\t\treturn api.delete(generateOcsUrl('cloud/users/{userid}/subadmins', { userid }), { groupid: gid })\n\t\t\t\t.then((response) => context.commit('removeUserSubAdmin', { userid, gid }))\n\t\t\t\t.catch((error) => { throw error })\n\t\t}).catch((error) => context.commit('API_FAILURE', { userid, error }))\n\t},\n\n\t/**\n\t * Mark all user devices for remote wipe\n\t *\n\t * @param {object} context store context\n\t * @param {string} userid User id\n\t * @return {Promise}\n\t */\n\tasync wipeUserDevices(context, userid) {\n\t\ttry {\n\t\t\tawait api.requireAdmin()\n\t\t\treturn await api.post(generateOcsUrl('cloud/users/{userid}/wipe', { userid }))\n\t\t} catch (error) {\n\t\t\tcontext.commit('API_FAILURE', { userid, error })\n\t\t\treturn Promise.reject(new Error('Failed to wipe user devices'))\n\t\t}\n\t},\n\n\t/**\n\t * Delete a user\n\t *\n\t * @param {object} context store context\n\t * @param {string} userid User id\n\t * @return {Promise}\n\t */\n\tdeleteUser(context, userid) {\n\t\treturn api.requireAdmin().then((response) => {\n\t\t\treturn api.delete(generateOcsUrl('cloud/users/{userid}', { userid }))\n\t\t\t\t.then((response) => context.commit('deleteUser', userid))\n\t\t\t\t.catch((error) => { throw error })\n\t\t}).catch((error) => context.commit('API_FAILURE', { userid, error }))\n\t},\n\n\t/**\n\t * Add a user\n\t *\n\t * @param {object} context store context\n\t * @param {Function} context.commit -\n\t * @param {Function} context.dispatch -\n\t * @param {object} options destructuring object\n\t * @param {string} options.userid User id\n\t * @param {string} options.password User password\n\t * @param {string} options.displayName User display name\n\t * @param {string} options.email User email\n\t * @param {string} options.groups User groups\n\t * @param {string} options.subadmin User subadmin groups\n\t * @param {string} options.quota User email\n\t * @param {string} options.language User language\n\t * @param {string} options.manager User manager\n\t * @return {Promise}\n\t */\n\taddUser({ commit, dispatch }, { userid, password, displayName, email, groups, subadmin, quota, language, manager }) {\n\t\treturn api.requireAdmin().then((response) => {\n\t\t\treturn api.post(generateOcsUrl('cloud/users'), { userid, password, displayName, email, groups, subadmin, quota, language, manager })\n\t\t\t\t.then((response) => dispatch('addUserData', userid || response.data.ocs.data.id))\n\t\t\t\t.catch((error) => { throw error })\n\t\t}).catch((error) => {\n\t\t\tcommit('API_FAILURE', { userid, error })\n\t\t\tthrow error\n\t\t})\n\t},\n\n\t/**\n\t * Get user data and commit addition\n\t *\n\t * @param {object} context store context\n\t * @param {string} userid User id\n\t * @return {Promise}\n\t */\n\taddUserData(context, userid) {\n\t\treturn api.requireAdmin().then((response) => {\n\t\t\treturn api.get(generateOcsUrl('cloud/users/{userid}', { userid }))\n\t\t\t\t.then((response) => context.commit('addUserData', response))\n\t\t\t\t.catch((error) => { throw error })\n\t\t}).catch((error) => context.commit('API_FAILURE', { userid, error }))\n\t},\n\n\t/**\n\t * Enable or disable user\n\t *\n\t * @param {object} context store context\n\t * @param {object} options destructuring object\n\t * @param {string} options.userid User id\n\t * @param {boolean} options.enabled User enablement status\n\t * @return {Promise}\n\t */\n\tenableDisableUser(context, { userid, enabled = true }) {\n\t\tconst userStatus = enabled ? 'enable' : 'disable'\n\t\treturn api.requireAdmin().then((response) => {\n\t\t\treturn api.put(generateOcsUrl('cloud/users/{userid}/{userStatus}', { userid, userStatus }))\n\t\t\t\t.then((response) => context.commit('enableDisableUser', { userid, enabled }))\n\t\t\t\t.catch((error) => { throw error })\n\t\t}).catch((error) => context.commit('API_FAILURE', { userid, error }))\n\t},\n\n\t/**\n\t * Edit user data\n\t *\n\t * @param {object} context store context\n\t * @param {object} options destructuring object\n\t * @param {string} options.userid User id\n\t * @param {string} options.key User field to edit\n\t * @param {string} options.value Value of the change\n\t * @return {Promise}\n\t */\n\tasync setUserData(context, { userid, key, value }) {\n\t\tconst allowedEmpty = ['email', 'displayname', 'manager']\n\t\tconst validKeys = ['email', 'language', 'quota', 'displayname', 'password', 'manager']\n\n\t\tif (!validKeys.includes(key)) {\n\t\t\tthrow new Error('Invalid request data')\n\t\t}\n\n\t\t// If value is empty and the key doesn't allow empty values, throw error\n\t\tif (value === '' && !allowedEmpty.includes(key)) {\n\t\t\tthrow new Error('Value cannot be empty for this field')\n\t\t}\n\n\t\ttry {\n\t\t\tawait api.requireAdmin()\n\t\t\tawait api.put(generateOcsUrl('cloud/users/{userid}', { userid }), { key, value })\n\t\t\treturn context.commit('setUserData', { userid, key, value })\n\t\t} catch (error) {\n\t\t\tcontext.commit('API_FAILURE', { userid, error })\n\t\t\tthrow error\n\t\t}\n\t},\n\n\t/**\n\t * Send welcome mail\n\t *\n\t * @param {object} context store context\n\t * @param {string} userid User id\n\t * @return {Promise}\n\t */\n\tsendWelcomeMail(context, userid) {\n\t\treturn api.requireAdmin().then((response) => {\n\t\t\treturn api.post(generateOcsUrl('cloud/users/{userid}/welcome', { userid }))\n\t\t\t\t.then(response => true)\n\t\t\t\t.catch((error) => { throw error })\n\t\t}).catch((error) => context.commit('API_FAILURE', { userid, error }))\n\t},\n}\n\nexport default { state, mutations, getters, actions }\n","/**\n * SPDX-FileCopyrightText: 2018 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport api from './api.js'\nimport Vue from 'vue'\nimport axios from '@nextcloud/axios'\nimport { generateUrl } from '@nextcloud/router'\nimport { showError, showInfo } from '@nextcloud/dialogs'\nimport { loadState } from '@nextcloud/initial-state'\n\nconst state = {\n\tapps: [],\n\tbundles: loadState('settings', 'appstoreBundles', []),\n\tcategories: [],\n\tupdateCount: loadState('settings', 'appstoreUpdateCount', 0),\n\tloading: {},\n\tgettingCategoriesPromise: null,\n\tappApiEnabled: loadState('settings', 'appApiEnabled', false),\n}\n\nconst mutations = {\n\n\tAPPS_API_FAILURE(state, error) {\n\t\tshowError(t('settings', 'An error occurred during the request. Unable to proceed.') + ' ' + error.error.response.data.data.message, { isHTML: true })\n\t\tconsole.error(state, error)\n\t},\n\n\tinitCategories(state, { categories, updateCount }) {\n\t\tstate.categories = categories\n\t\tstate.updateCount = updateCount\n\t},\n\n\tupdateCategories(state, categoriesPromise) {\n\t\tstate.gettingCategoriesPromise = categoriesPromise\n\t},\n\n\tsetUpdateCount(state, updateCount) {\n\t\tstate.updateCount = updateCount\n\t},\n\n\taddCategory(state, category) {\n\t\tstate.categories.push(category)\n\t},\n\n\tappendCategories(state, categoriesArray) {\n\t\t// convert obj to array\n\t\tstate.categories = categoriesArray\n\t},\n\n\tsetAllApps(state, apps) {\n\t\tstate.apps = apps\n\t},\n\n\tsetError(state, { appId, error }) {\n\t\tif (!Array.isArray(appId)) {\n\t\t\tappId = [appId]\n\t\t}\n\t\tappId.forEach((_id) => {\n\t\t\tconst app = state.apps.find(app => app.id === _id)\n\t\t\tapp.error = error\n\t\t})\n\t},\n\n\tclearError(state, { appId, error }) {\n\t\tconst app = state.apps.find(app => app.id === appId)\n\t\tapp.error = null\n\t},\n\n\tenableApp(state, { appId, groups }) {\n\t\tconst app = state.apps.find(app => app.id === appId)\n\t\tapp.active = true\n\t\tapp.groups = groups\n\t\tif (app.id === 'app_api') {\n\t\t\tstate.appApiEnabled = true\n\t\t}\n\t},\n\n\tsetInstallState(state, { appId, canInstall }) {\n\t\tconst app = state.apps.find(app => app.id === appId)\n\t\tif (app) {\n\t\t\tapp.canInstall = canInstall === true\n\t\t}\n\t},\n\n\tdisableApp(state, appId) {\n\t\tconst app = state.apps.find(app => app.id === appId)\n\t\tapp.active = false\n\t\tapp.groups = []\n\t\tif (app.removable) {\n\t\t\tapp.canUnInstall = true\n\t\t}\n\t\tif (app.id === 'app_api') {\n\t\t\tstate.appApiEnabled = false\n\t\t}\n\t},\n\n\tuninstallApp(state, appId) {\n\t\tstate.apps.find(app => app.id === appId).active = false\n\t\tstate.apps.find(app => app.id === appId).groups = []\n\t\tstate.apps.find(app => app.id === appId).needsDownload = true\n\t\tstate.apps.find(app => app.id === appId).installed = false\n\t\tstate.apps.find(app => app.id === appId).canUnInstall = false\n\t\tstate.apps.find(app => app.id === appId).canInstall = true\n\t\tif (appId === 'app_api') {\n\t\t\tstate.appApiEnabled = false\n\t\t}\n\t},\n\n\tupdateApp(state, appId) {\n\t\tconst app = state.apps.find(app => app.id === appId)\n\t\tconst version = app.update\n\t\tapp.update = null\n\t\tapp.version = version\n\t\tstate.updateCount--\n\n\t},\n\n\tresetApps(state) {\n\t\tstate.apps = []\n\t},\n\treset(state) {\n\t\tstate.apps = []\n\t\tstate.categories = []\n\t\tstate.updateCount = 0\n\t},\n\tstartLoading(state, id) {\n\t\tif (Array.isArray(id)) {\n\t\t\tid.forEach((_id) => {\n\t\t\t\tVue.set(state.loading, _id, true)\n\t\t\t})\n\t\t} else {\n\t\t\tVue.set(state.loading, id, true)\n\t\t}\n\t},\n\tstopLoading(state, id) {\n\t\tif (Array.isArray(id)) {\n\t\t\tid.forEach((_id) => {\n\t\t\t\tVue.set(state.loading, _id, false)\n\t\t\t})\n\t\t} else {\n\t\t\tVue.set(state.loading, id, false)\n\t\t}\n\t},\n}\n\nconst getters = {\n\tisAppApiEnabled(state) {\n\t\treturn state.appApiEnabled\n\t},\n\tloading(state) {\n\t\treturn function(id) {\n\t\t\treturn state.loading[id]\n\t\t}\n\t},\n\tgetCategories(state) {\n\t\treturn state.categories\n\t},\n\tgetAllApps(state) {\n\t\treturn state.apps\n\t},\n\tgetAppBundles(state) {\n\t\treturn state.bundles\n\t},\n\tgetUpdateCount(state) {\n\t\treturn state.updateCount\n\t},\n\tgetCategoryById: (state) => (selectedCategoryId) => {\n\t\treturn state.categories.find((category) => category.id === selectedCategoryId)\n\t},\n}\n\nconst actions = {\n\n\tenableApp(context, { appId, groups }) {\n\t\tlet apps\n\t\tif (Array.isArray(appId)) {\n\t\t\tapps = appId\n\t\t} else {\n\t\t\tapps = [appId]\n\t\t}\n\t\treturn api.requireAdmin().then((response) => {\n\t\t\tcontext.commit('startLoading', apps)\n\t\t\tcontext.commit('startLoading', 'install')\n\t\t\treturn api.post(generateUrl('settings/apps/enable'), { appIds: apps, groups })\n\t\t\t\t.then((response) => {\n\t\t\t\t\tcontext.commit('stopLoading', apps)\n\t\t\t\t\tcontext.commit('stopLoading', 'install')\n\t\t\t\t\tapps.forEach(_appId => {\n\t\t\t\t\t\tcontext.commit('enableApp', { appId: _appId, groups })\n\t\t\t\t\t})\n\n\t\t\t\t\t// check for server health\n\t\t\t\t\treturn axios.get(generateUrl('apps/files/'))\n\t\t\t\t\t\t.then(() => {\n\t\t\t\t\t\t\tif (response.data.update_required) {\n\t\t\t\t\t\t\t\tshowInfo(\n\t\t\t\t\t\t\t\t\tt(\n\t\t\t\t\t\t\t\t\t\t'settings',\n\t\t\t\t\t\t\t\t\t\t'The app has been enabled but needs to be updated. You will be redirected to the update page in 5 seconds.',\n\t\t\t\t\t\t\t\t\t),\n\t\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\t\tonClick: () => window.location.reload(),\n\t\t\t\t\t\t\t\t\t\tclose: false,\n\n\t\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t)\n\t\t\t\t\t\t\t\tsetTimeout(function() {\n\t\t\t\t\t\t\t\t\tlocation.reload()\n\t\t\t\t\t\t\t\t}, 5000)\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t})\n\t\t\t\t\t\t.catch(() => {\n\t\t\t\t\t\t\tif (!Array.isArray(appId)) {\n\t\t\t\t\t\t\t\tshowError(t('settings', 'Error: This app cannot be enabled because it makes the server unstable'))\n\t\t\t\t\t\t\t\tcontext.commit('setError', {\n\t\t\t\t\t\t\t\t\tappId: apps,\n\t\t\t\t\t\t\t\t\terror: t('settings', 'Error: This app cannot be enabled because it makes the server unstable'),\n\t\t\t\t\t\t\t\t})\n\t\t\t\t\t\t\t\tcontext.dispatch('disableApp', { appId })\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t})\n\t\t\t\t})\n\t\t\t\t.catch((error) => {\n\t\t\t\t\tcontext.commit('stopLoading', apps)\n\t\t\t\t\tcontext.commit('stopLoading', 'install')\n\t\t\t\t\tcontext.commit('setError', {\n\t\t\t\t\t\tappId: apps,\n\t\t\t\t\t\terror: error.response.data.data.message,\n\t\t\t\t\t})\n\t\t\t\t\tcontext.commit('APPS_API_FAILURE', { appId, error })\n\t\t\t\t})\n\t\t}).catch((error) => context.commit('API_FAILURE', { appId, error }))\n\t},\n\tforceEnableApp(context, { appId, groups }) {\n\t\tlet apps\n\t\tif (Array.isArray(appId)) {\n\t\t\tapps = appId\n\t\t} else {\n\t\t\tapps = [appId]\n\t\t}\n\t\treturn api.requireAdmin().then(() => {\n\t\t\tcontext.commit('startLoading', apps)\n\t\t\tcontext.commit('startLoading', 'install')\n\t\t\treturn api.post(generateUrl('settings/apps/force'), { appId })\n\t\t\t\t.then((response) => {\n\t\t\t\t\tcontext.commit('setInstallState', { appId, canInstall: true })\n\t\t\t\t})\n\t\t\t\t.catch((error) => {\n\t\t\t\t\tcontext.commit('stopLoading', apps)\n\t\t\t\t\tcontext.commit('stopLoading', 'install')\n\t\t\t\t\tcontext.commit('setError', {\n\t\t\t\t\t\tappId: apps,\n\t\t\t\t\t\terror: error.response.data.data.message,\n\t\t\t\t\t})\n\t\t\t\t\tcontext.commit('APPS_API_FAILURE', { appId, error })\n\t\t\t\t})\n\t\t\t\t.finally(() => {\n\t\t\t\t\tcontext.commit('stopLoading', apps)\n\t\t\t\t\tcontext.commit('stopLoading', 'install')\n\t\t\t\t})\n\t\t}).catch((error) => context.commit('API_FAILURE', { appId, error }))\n\t},\n\tdisableApp(context, { appId }) {\n\t\tlet apps\n\t\tif (Array.isArray(appId)) {\n\t\t\tapps = appId\n\t\t} else {\n\t\t\tapps = [appId]\n\t\t}\n\t\treturn api.requireAdmin().then((response) => {\n\t\t\tcontext.commit('startLoading', apps)\n\t\t\treturn api.post(generateUrl('settings/apps/disable'), { appIds: apps })\n\t\t\t\t.then((response) => {\n\t\t\t\t\tcontext.commit('stopLoading', apps)\n\t\t\t\t\tapps.forEach(_appId => {\n\t\t\t\t\t\tcontext.commit('disableApp', _appId)\n\t\t\t\t\t})\n\t\t\t\t\treturn true\n\t\t\t\t})\n\t\t\t\t.catch((error) => {\n\t\t\t\t\tcontext.commit('stopLoading', apps)\n\t\t\t\t\tcontext.commit('APPS_API_FAILURE', { appId, error })\n\t\t\t\t})\n\t\t}).catch((error) => context.commit('API_FAILURE', { appId, error }))\n\t},\n\tuninstallApp(context, { appId }) {\n\t\treturn api.requireAdmin().then((response) => {\n\t\t\tcontext.commit('startLoading', appId)\n\t\t\treturn api.get(generateUrl(`settings/apps/uninstall/${appId}`))\n\t\t\t\t.then((response) => {\n\t\t\t\t\tcontext.commit('stopLoading', appId)\n\t\t\t\t\tcontext.commit('uninstallApp', appId)\n\t\t\t\t\treturn true\n\t\t\t\t})\n\t\t\t\t.catch((error) => {\n\t\t\t\t\tcontext.commit('stopLoading', appId)\n\t\t\t\t\tcontext.commit('APPS_API_FAILURE', { appId, error })\n\t\t\t\t})\n\t\t}).catch((error) => context.commit('API_FAILURE', { appId, error }))\n\t},\n\n\tupdateApp(context, { appId }) {\n\t\treturn api.requireAdmin().then((response) => {\n\t\t\tcontext.commit('startLoading', appId)\n\t\t\tcontext.commit('startLoading', 'install')\n\t\t\treturn api.get(generateUrl(`settings/apps/update/${appId}`))\n\t\t\t\t.then((response) => {\n\t\t\t\t\tcontext.commit('stopLoading', 'install')\n\t\t\t\t\tcontext.commit('stopLoading', appId)\n\t\t\t\t\tcontext.commit('updateApp', appId)\n\t\t\t\t\treturn true\n\t\t\t\t})\n\t\t\t\t.catch((error) => {\n\t\t\t\t\tcontext.commit('stopLoading', appId)\n\t\t\t\t\tcontext.commit('stopLoading', 'install')\n\t\t\t\t\tcontext.commit('APPS_API_FAILURE', { appId, error })\n\t\t\t\t})\n\t\t}).catch((error) => context.commit('API_FAILURE', { appId, error }))\n\t},\n\n\tgetAllApps(context) {\n\t\tcontext.commit('startLoading', 'list')\n\t\treturn api.get(generateUrl('settings/apps/list'))\n\t\t\t.then((response) => {\n\t\t\t\tcontext.commit('setAllApps', response.data.apps)\n\t\t\t\tcontext.commit('stopLoading', 'list')\n\t\t\t\treturn true\n\t\t\t})\n\t\t\t.catch((error) => context.commit('API_FAILURE', error))\n\t},\n\n\tasync getCategories(context, { shouldRefetchCategories = false } = {}) {\n\t\tif (shouldRefetchCategories || !context.state.gettingCategoriesPromise) {\n\t\t\tcontext.commit('startLoading', 'categories')\n\t\t\ttry {\n\t\t\t\tconst categoriesPromise = api.get(generateUrl('settings/apps/categories'))\n\t\t\t\tcontext.commit('updateCategories', categoriesPromise)\n\t\t\t\tconst categoriesPromiseResponse = await categoriesPromise\n\t\t\t\tif (categoriesPromiseResponse.data.length > 0) {\n\t\t\t\t\tcontext.commit('appendCategories', categoriesPromiseResponse.data)\n\t\t\t\t\tcontext.commit('stopLoading', 'categories')\n\t\t\t\t\treturn true\n\t\t\t\t}\n\t\t\t\tcontext.commit('stopLoading', 'categories')\n\t\t\t\treturn false\n\t\t\t} catch (error) {\n\t\t\t\tcontext.commit('API_FAILURE', error)\n\t\t\t}\n\t\t}\n\t\treturn context.state.gettingCategoriesPromise\n\t},\n\n}\n\nexport default { state, mutations, getters, actions }\n","/**\n * SPDX-FileCopyrightText: 2018 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport { loadState } from '@nextcloud/initial-state'\n\nconst state = {\n\tserverData: loadState('settings', 'usersSettings', {}),\n}\nconst mutations = {\n\tsetServerData(state, data) {\n\t\tstate.serverData = data\n\t},\n}\nconst getters = {\n\tgetServerData(state) {\n\t\treturn state.serverData\n\t},\n}\nconst actions = {}\n\nexport default { state, mutations, getters, actions }\n","/**\n * SPDX-FileCopyrightText: 2018 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport api from './api.js'\nimport { generateOcsUrl } from '@nextcloud/router'\n\nconst state = {}\nconst mutations = {}\nconst getters = {}\nconst actions = {\n\t/**\n\t * Set application config in database\n\t *\n\t * @param {object} context store context\n\t * @param {object} options destructuring object\n\t * @param {string} options.app Application name\n\t * @param {boolean} options.key Config key\n\t * @param {boolean} options.value Value to set\n\t * @return {Promise}\n\t */\n\tsetAppConfig(context, { app, key, value }) {\n\t\treturn api.requireAdmin().then((response) => {\n\t\t\treturn api.post(generateOcsUrl('apps/provisioning_api/api/v1/config/apps/{app}/{key}', { app, key }), { value })\n\t\t\t\t.catch((error) => { throw error })\n\t\t}).catch((error) => context.commit('API_FAILURE', { app, key, value, error }))\n\t},\n}\n\nexport default { state, mutations, getters, actions }\n","/**\n * SPDX-FileCopyrightText: 2018 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\nimport { Store } from 'vuex'\nimport users from './users.js'\nimport apps from './apps.js'\nimport settings from './users-settings.js'\nimport oc from './oc.js'\nimport { showError } from '@nextcloud/dialogs'\n\nconst debug = process.env.NODE_ENV !== 'production'\n\nconst mutations = {\n\tAPI_FAILURE(state, error) {\n\t\ttry {\n\t\t\tconst message = error.error.response.data.ocs.meta.message\n\t\t\tshowError(t('settings', 'An error occurred during the request. Unable to proceed.') + ' ' + message, { isHTML: true })\n\t\t} catch (e) {\n\t\t\tshowError(t('settings', 'An error occurred during the request. Unable to proceed.'))\n\t\t}\n\t\tconsole.error(state, error)\n\t},\n}\n\nlet store = null\n\nexport const useStore = () => {\n\tif (store === null) {\n\t\tstore = new Store({\n\t\t\tmodules: {\n\t\t\t\tusers,\n\t\t\t\tapps,\n\t\t\t\tsettings,\n\t\t\t\toc,\n\t\t\t},\n\t\t\tstrict: debug,\n\t\t\tmutations,\n\t\t})\n\t}\n\treturn store\n}\n","/**\n * SPDX-FileCopyrightText: 2024 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n/**\n * https://github.com/nextcloud/server/blob/208e38e84e1a07a49699aa90dc5b7272d24489f0/lib/private/Group/MetaData.php#L34\n */\nexport var GroupSorting;\n(function (GroupSorting) {\n GroupSorting[GroupSorting[\"UserCount\"] = 1] = \"UserCount\";\n GroupSorting[GroupSorting[\"GroupName\"] = 2] = \"GroupName\";\n})(GroupSorting || (GroupSorting = {}));\n","import { o as logger } from \"./chunks/dav-CQDyL7M_.mjs\";\nimport { q, F, s, N, t, P, c, l, m, n, a, g, p, b, r, d, h, f, k, j, e, i } from \"./chunks/dav-CQDyL7M_.mjs\";\nimport { TypedEventTarget } from \"typescript-event-target\";\nimport require$$1 from \"string_decoder\";\nimport { getCapabilities } from \"@nextcloud/capabilities\";\nimport { extname, basename } from \"path\";\nimport { getCanonicalLocale, getLanguage } from \"@nextcloud/l10n\";\nvar DefaultType = /* @__PURE__ */ ((DefaultType2) => {\n DefaultType2[\"DEFAULT\"] = \"default\";\n DefaultType2[\"HIDDEN\"] = \"hidden\";\n return DefaultType2;\n})(DefaultType || {});\nclass FileAction {\n _action;\n constructor(action) {\n this.validateAction(action);\n this._action = action;\n }\n get id() {\n return this._action.id;\n }\n get displayName() {\n return this._action.displayName;\n }\n get title() {\n return this._action.title;\n }\n get iconSvgInline() {\n return this._action.iconSvgInline;\n }\n get enabled() {\n return this._action.enabled;\n }\n get exec() {\n return this._action.exec;\n }\n get execBatch() {\n return this._action.execBatch;\n }\n get hotkey() {\n return this._action.hotkey;\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 destructive() {\n return this._action.destructive;\n }\n get inline() {\n return this._action.inline;\n }\n get renderInline() {\n return this._action.renderInline;\n }\n validateAction(action) {\n if (!action.id || typeof action.id !== \"string\") {\n throw new Error(\"Invalid id\");\n }\n if (!action.displayName || typeof action.displayName !== \"function\") {\n throw new Error(\"Invalid displayName function\");\n }\n if (\"title\" in action && typeof action.title !== \"function\") {\n throw new Error(\"Invalid title function\");\n }\n if (!action.iconSvgInline || typeof action.iconSvgInline !== \"function\") {\n throw new Error(\"Invalid iconSvgInline function\");\n }\n if (!action.exec || typeof action.exec !== \"function\") {\n throw new Error(\"Invalid exec function\");\n }\n if (\"enabled\" in action && typeof action.enabled !== \"function\") {\n throw new Error(\"Invalid enabled function\");\n }\n if (\"execBatch\" in action && typeof action.execBatch !== \"function\") {\n throw new Error(\"Invalid execBatch function\");\n }\n if (\"order\" in action && typeof action.order !== \"number\") {\n throw new Error(\"Invalid order\");\n }\n if (action.destructive !== void 0 && typeof action.destructive !== \"boolean\") {\n throw new Error(\"Invalid destructive flag\");\n }\n if (\"parent\" in action && typeof action.parent !== \"string\") {\n throw new Error(\"Invalid parent\");\n }\n if (action.default && !Object.values(DefaultType).includes(action.default)) {\n throw new Error(\"Invalid default\");\n }\n if (\"inline\" in action && typeof action.inline !== \"function\") {\n throw new Error(\"Invalid inline function\");\n }\n if (\"renderInline\" in action && typeof action.renderInline !== \"function\") {\n throw new Error(\"Invalid renderInline function\");\n }\n if (\"hotkey\" in action && action.hotkey !== void 0) {\n if (typeof action.hotkey !== \"object\") {\n throw new Error(\"Invalid hotkey configuration\");\n }\n if (typeof action.hotkey.key !== \"string\" || !action.hotkey.key) {\n throw new Error(\"Missing or invalid hotkey key\");\n }\n if (typeof action.hotkey.description !== \"string\" || !action.hotkey.description) {\n throw new Error(\"Missing or invalid hotkey description\");\n }\n }\n }\n}\nconst registerFileAction = function(action) {\n if (typeof window._nc_fileactions === \"undefined\") {\n window._nc_fileactions = [];\n logger.debug(\"FileActions initialized\");\n }\n if (window._nc_fileactions.find((search) => search.id === action.id)) {\n logger.error(`FileAction ${action.id} already registered`, { action });\n return;\n }\n window._nc_fileactions.push(action);\n};\nconst getFileActions = function() {\n if (typeof window._nc_fileactions === \"undefined\") {\n window._nc_fileactions = [];\n logger.debug(\"FileActions initialized\");\n }\n return window._nc_fileactions;\n};\nclass FileListAction {\n _action;\n constructor(action) {\n this.validateAction(action);\n this._action = action;\n }\n get id() {\n return this._action.id;\n }\n get displayName() {\n return this._action.displayName;\n }\n get iconSvgInline() {\n return this._action.iconSvgInline;\n }\n get order() {\n return this._action.order;\n }\n get enabled() {\n return this._action.enabled;\n }\n get exec() {\n return this._action.exec;\n }\n validateAction(action) {\n if (!action.id || typeof action.id !== \"string\") {\n throw new Error(\"Invalid id\");\n }\n if (!action.displayName || typeof action.displayName !== \"function\") {\n throw new Error(\"Invalid displayName function\");\n }\n if (\"iconSvgInline\" in action && typeof action.iconSvgInline !== \"function\") {\n throw new Error(\"Invalid iconSvgInline function\");\n }\n if (\"order\" in action && typeof action.order !== \"number\") {\n throw new Error(\"Invalid order\");\n }\n if (\"enabled\" in action && typeof action.enabled !== \"function\") {\n throw new Error(\"Invalid enabled function\");\n }\n if (!action.exec || typeof action.exec !== \"function\") {\n throw new Error(\"Invalid exec function\");\n }\n }\n}\nconst registerFileListAction = (action) => {\n if (typeof window._nc_filelistactions === \"undefined\") {\n window._nc_filelistactions = [];\n }\n if (window._nc_filelistactions.find((listAction) => listAction.id === action.id)) {\n logger.error(`FileListAction with id \"${action.id}\" is already registered`, { action });\n return;\n }\n window._nc_filelistactions.push(action);\n};\nconst getFileListActions = () => {\n if (typeof window._nc_filelistactions === \"undefined\") {\n window._nc_filelistactions = [];\n }\n return window._nc_filelistactions;\n};\nfunction getDefaultExportFromCjs(x) {\n return x && x.__esModule && Object.prototype.hasOwnProperty.call(x, \"default\") ? x[\"default\"] : x;\n}\nvar debug_1;\nvar hasRequiredDebug;\nfunction requireDebug() {\n if (hasRequiredDebug) return debug_1;\n hasRequiredDebug = 1;\n const debug = typeof process === \"object\" && process.env && process.env.NODE_DEBUG && /\\bsemver\\b/i.test(process.env.NODE_DEBUG) ? (...args) => console.error(\"SEMVER\", ...args) : () => {\n };\n debug_1 = debug;\n return debug_1;\n}\nvar constants;\nvar hasRequiredConstants;\nfunction requireConstants() {\n if (hasRequiredConstants) return constants;\n hasRequiredConstants = 1;\n const SEMVER_SPEC_VERSION = \"2.0.0\";\n const MAX_LENGTH = 256;\n const MAX_SAFE_INTEGER = Number.MAX_SAFE_INTEGER || /* istanbul ignore next */\n 9007199254740991;\n const MAX_SAFE_COMPONENT_LENGTH = 16;\n const MAX_SAFE_BUILD_LENGTH = MAX_LENGTH - 6;\n const RELEASE_TYPES = [\n \"major\",\n \"premajor\",\n \"minor\",\n \"preminor\",\n \"patch\",\n \"prepatch\",\n \"prerelease\"\n ];\n constants = {\n MAX_LENGTH,\n MAX_SAFE_COMPONENT_LENGTH,\n MAX_SAFE_BUILD_LENGTH,\n MAX_SAFE_INTEGER,\n RELEASE_TYPES,\n SEMVER_SPEC_VERSION,\n FLAG_INCLUDE_PRERELEASE: 1,\n FLAG_LOOSE: 2\n };\n return constants;\n}\nvar re = { exports: {} };\nvar hasRequiredRe;\nfunction requireRe() {\n if (hasRequiredRe) return re.exports;\n hasRequiredRe = 1;\n (function(module, exports) {\n const {\n MAX_SAFE_COMPONENT_LENGTH,\n MAX_SAFE_BUILD_LENGTH,\n MAX_LENGTH\n } = requireConstants();\n const debug = requireDebug();\n exports = module.exports = {};\n const re2 = exports.re = [];\n const safeRe = exports.safeRe = [];\n const src = exports.src = [];\n const t2 = exports.t = {};\n let R = 0;\n const LETTERDASHNUMBER = \"[a-zA-Z0-9-]\";\n const safeRegexReplacements = [\n [\"\\\\s\", 1],\n [\"\\\\d\", MAX_LENGTH],\n [LETTERDASHNUMBER, MAX_SAFE_BUILD_LENGTH]\n ];\n const makeSafeRegex = (value) => {\n for (const [token, max] of safeRegexReplacements) {\n value = value.split(`${token}*`).join(`${token}{0,${max}}`).split(`${token}+`).join(`${token}{1,${max}}`);\n }\n return value;\n };\n const createToken = (name, value, isGlobal) => {\n const safe = makeSafeRegex(value);\n const index = R++;\n debug(name, index, value);\n t2[name] = index;\n src[index] = value;\n re2[index] = new RegExp(value, isGlobal ? \"g\" : void 0);\n safeRe[index] = new RegExp(safe, isGlobal ? \"g\" : void 0);\n };\n createToken(\"NUMERICIDENTIFIER\", \"0|[1-9]\\\\d*\");\n createToken(\"NUMERICIDENTIFIERLOOSE\", \"\\\\d+\");\n createToken(\"NONNUMERICIDENTIFIER\", `\\\\d*[a-zA-Z-]${LETTERDASHNUMBER}*`);\n createToken(\"MAINVERSION\", `(${src[t2.NUMERICIDENTIFIER]})\\\\.(${src[t2.NUMERICIDENTIFIER]})\\\\.(${src[t2.NUMERICIDENTIFIER]})`);\n createToken(\"MAINVERSIONLOOSE\", `(${src[t2.NUMERICIDENTIFIERLOOSE]})\\\\.(${src[t2.NUMERICIDENTIFIERLOOSE]})\\\\.(${src[t2.NUMERICIDENTIFIERLOOSE]})`);\n createToken(\"PRERELEASEIDENTIFIER\", `(?:${src[t2.NUMERICIDENTIFIER]}|${src[t2.NONNUMERICIDENTIFIER]})`);\n createToken(\"PRERELEASEIDENTIFIERLOOSE\", `(?:${src[t2.NUMERICIDENTIFIERLOOSE]}|${src[t2.NONNUMERICIDENTIFIER]})`);\n createToken(\"PRERELEASE\", `(?:-(${src[t2.PRERELEASEIDENTIFIER]}(?:\\\\.${src[t2.PRERELEASEIDENTIFIER]})*))`);\n createToken(\"PRERELEASELOOSE\", `(?:-?(${src[t2.PRERELEASEIDENTIFIERLOOSE]}(?:\\\\.${src[t2.PRERELEASEIDENTIFIERLOOSE]})*))`);\n createToken(\"BUILDIDENTIFIER\", `${LETTERDASHNUMBER}+`);\n createToken(\"BUILD\", `(?:\\\\+(${src[t2.BUILDIDENTIFIER]}(?:\\\\.${src[t2.BUILDIDENTIFIER]})*))`);\n createToken(\"FULLPLAIN\", `v?${src[t2.MAINVERSION]}${src[t2.PRERELEASE]}?${src[t2.BUILD]}?`);\n createToken(\"FULL\", `^${src[t2.FULLPLAIN]}$`);\n createToken(\"LOOSEPLAIN\", `[v=\\\\s]*${src[t2.MAINVERSIONLOOSE]}${src[t2.PRERELEASELOOSE]}?${src[t2.BUILD]}?`);\n createToken(\"LOOSE\", `^${src[t2.LOOSEPLAIN]}$`);\n createToken(\"GTLT\", \"((?:<|>)?=?)\");\n createToken(\"XRANGEIDENTIFIERLOOSE\", `${src[t2.NUMERICIDENTIFIERLOOSE]}|x|X|\\\\*`);\n createToken(\"XRANGEIDENTIFIER\", `${src[t2.NUMERICIDENTIFIER]}|x|X|\\\\*`);\n createToken(\"XRANGEPLAIN\", `[v=\\\\s]*(${src[t2.XRANGEIDENTIFIER]})(?:\\\\.(${src[t2.XRANGEIDENTIFIER]})(?:\\\\.(${src[t2.XRANGEIDENTIFIER]})(?:${src[t2.PRERELEASE]})?${src[t2.BUILD]}?)?)?`);\n createToken(\"XRANGEPLAINLOOSE\", `[v=\\\\s]*(${src[t2.XRANGEIDENTIFIERLOOSE]})(?:\\\\.(${src[t2.XRANGEIDENTIFIERLOOSE]})(?:\\\\.(${src[t2.XRANGEIDENTIFIERLOOSE]})(?:${src[t2.PRERELEASELOOSE]})?${src[t2.BUILD]}?)?)?`);\n createToken(\"XRANGE\", `^${src[t2.GTLT]}\\\\s*${src[t2.XRANGEPLAIN]}$`);\n createToken(\"XRANGELOOSE\", `^${src[t2.GTLT]}\\\\s*${src[t2.XRANGEPLAINLOOSE]}$`);\n createToken(\"COERCEPLAIN\", `${\"(^|[^\\\\d])(\\\\d{1,\"}${MAX_SAFE_COMPONENT_LENGTH}})(?:\\\\.(\\\\d{1,${MAX_SAFE_COMPONENT_LENGTH}}))?(?:\\\\.(\\\\d{1,${MAX_SAFE_COMPONENT_LENGTH}}))?`);\n createToken(\"COERCE\", `${src[t2.COERCEPLAIN]}(?:$|[^\\\\d])`);\n createToken(\"COERCEFULL\", src[t2.COERCEPLAIN] + `(?:${src[t2.PRERELEASE]})?(?:${src[t2.BUILD]})?(?:$|[^\\\\d])`);\n createToken(\"COERCERTL\", src[t2.COERCE], true);\n createToken(\"COERCERTLFULL\", src[t2.COERCEFULL], true);\n createToken(\"LONETILDE\", \"(?:~>?)\");\n createToken(\"TILDETRIM\", `(\\\\s*)${src[t2.LONETILDE]}\\\\s+`, true);\n exports.tildeTrimReplace = \"$1~\";\n createToken(\"TILDE\", `^${src[t2.LONETILDE]}${src[t2.XRANGEPLAIN]}$`);\n createToken(\"TILDELOOSE\", `^${src[t2.LONETILDE]}${src[t2.XRANGEPLAINLOOSE]}$`);\n createToken(\"LONECARET\", \"(?:\\\\^)\");\n createToken(\"CARETTRIM\", `(\\\\s*)${src[t2.LONECARET]}\\\\s+`, true);\n exports.caretTrimReplace = \"$1^\";\n createToken(\"CARET\", `^${src[t2.LONECARET]}${src[t2.XRANGEPLAIN]}$`);\n createToken(\"CARETLOOSE\", `^${src[t2.LONECARET]}${src[t2.XRANGEPLAINLOOSE]}$`);\n createToken(\"COMPARATORLOOSE\", `^${src[t2.GTLT]}\\\\s*(${src[t2.LOOSEPLAIN]})$|^$`);\n createToken(\"COMPARATOR\", `^${src[t2.GTLT]}\\\\s*(${src[t2.FULLPLAIN]})$|^$`);\n createToken(\"COMPARATORTRIM\", `(\\\\s*)${src[t2.GTLT]}\\\\s*(${src[t2.LOOSEPLAIN]}|${src[t2.XRANGEPLAIN]})`, true);\n exports.comparatorTrimReplace = \"$1$2$3\";\n createToken(\"HYPHENRANGE\", `^\\\\s*(${src[t2.XRANGEPLAIN]})\\\\s+-\\\\s+(${src[t2.XRANGEPLAIN]})\\\\s*$`);\n createToken(\"HYPHENRANGELOOSE\", `^\\\\s*(${src[t2.XRANGEPLAINLOOSE]})\\\\s+-\\\\s+(${src[t2.XRANGEPLAINLOOSE]})\\\\s*$`);\n createToken(\"STAR\", \"(<|>)?=?\\\\s*\\\\*\");\n createToken(\"GTE0\", \"^\\\\s*>=\\\\s*0\\\\.0\\\\.0\\\\s*$\");\n createToken(\"GTE0PRE\", \"^\\\\s*>=\\\\s*0\\\\.0\\\\.0-0\\\\s*$\");\n })(re, re.exports);\n return re.exports;\n}\nvar parseOptions_1;\nvar hasRequiredParseOptions;\nfunction requireParseOptions() {\n if (hasRequiredParseOptions) return parseOptions_1;\n hasRequiredParseOptions = 1;\n const looseOption = Object.freeze({ loose: true });\n const emptyOpts = Object.freeze({});\n const parseOptions = (options) => {\n if (!options) {\n return emptyOpts;\n }\n if (typeof options !== \"object\") {\n return looseOption;\n }\n return options;\n };\n parseOptions_1 = parseOptions;\n return parseOptions_1;\n}\nvar identifiers;\nvar hasRequiredIdentifiers;\nfunction requireIdentifiers() {\n if (hasRequiredIdentifiers) return identifiers;\n hasRequiredIdentifiers = 1;\n const numeric = /^[0-9]+$/;\n const compareIdentifiers = (a2, b2) => {\n const anum = numeric.test(a2);\n const bnum = numeric.test(b2);\n if (anum && bnum) {\n a2 = +a2;\n b2 = +b2;\n }\n return a2 === b2 ? 0 : anum && !bnum ? -1 : bnum && !anum ? 1 : a2 < b2 ? -1 : 1;\n };\n const rcompareIdentifiers = (a2, b2) => compareIdentifiers(b2, a2);\n identifiers = {\n compareIdentifiers,\n rcompareIdentifiers\n };\n return identifiers;\n}\nvar semver;\nvar hasRequiredSemver;\nfunction requireSemver() {\n if (hasRequiredSemver) return semver;\n hasRequiredSemver = 1;\n const debug = requireDebug();\n const { MAX_LENGTH, MAX_SAFE_INTEGER } = requireConstants();\n const { safeRe: re2, t: t2 } = requireRe();\n const parseOptions = requireParseOptions();\n const { compareIdentifiers } = requireIdentifiers();\n class SemVer {\n constructor(version, options) {\n options = parseOptions(options);\n if (version instanceof SemVer) {\n if (version.loose === !!options.loose && version.includePrerelease === !!options.includePrerelease) {\n return version;\n } else {\n version = version.version;\n }\n } else if (typeof version !== \"string\") {\n throw new TypeError(`Invalid version. Must be a string. Got type \"${typeof version}\".`);\n }\n if (version.length > MAX_LENGTH) {\n throw new TypeError(\n `version is longer than ${MAX_LENGTH} characters`\n );\n }\n debug(\"SemVer\", version, options);\n this.options = options;\n this.loose = !!options.loose;\n this.includePrerelease = !!options.includePrerelease;\n const m2 = version.trim().match(options.loose ? re2[t2.LOOSE] : re2[t2.FULL]);\n if (!m2) {\n throw new TypeError(`Invalid Version: ${version}`);\n }\n this.raw = version;\n this.major = +m2[1];\n this.minor = +m2[2];\n this.patch = +m2[3];\n if (this.major > MAX_SAFE_INTEGER || this.major < 0) {\n throw new TypeError(\"Invalid major version\");\n }\n if (this.minor > MAX_SAFE_INTEGER || this.minor < 0) {\n throw new TypeError(\"Invalid minor version\");\n }\n if (this.patch > MAX_SAFE_INTEGER || this.patch < 0) {\n throw new TypeError(\"Invalid patch version\");\n }\n if (!m2[4]) {\n this.prerelease = [];\n } else {\n this.prerelease = m2[4].split(\".\").map((id) => {\n if (/^[0-9]+$/.test(id)) {\n const num = +id;\n if (num >= 0 && num < MAX_SAFE_INTEGER) {\n return num;\n }\n }\n return id;\n });\n }\n this.build = m2[5] ? m2[5].split(\".\") : [];\n this.format();\n }\n format() {\n this.version = `${this.major}.${this.minor}.${this.patch}`;\n if (this.prerelease.length) {\n this.version += `-${this.prerelease.join(\".\")}`;\n }\n return this.version;\n }\n toString() {\n return this.version;\n }\n compare(other) {\n debug(\"SemVer.compare\", this.version, this.options, other);\n if (!(other instanceof SemVer)) {\n if (typeof other === \"string\" && other === this.version) {\n return 0;\n }\n other = new SemVer(other, this.options);\n }\n if (other.version === this.version) {\n return 0;\n }\n return this.compareMain(other) || this.comparePre(other);\n }\n compareMain(other) {\n if (!(other instanceof SemVer)) {\n other = new SemVer(other, this.options);\n }\n return compareIdentifiers(this.major, other.major) || compareIdentifiers(this.minor, other.minor) || compareIdentifiers(this.patch, other.patch);\n }\n comparePre(other) {\n if (!(other instanceof SemVer)) {\n other = new SemVer(other, this.options);\n }\n if (this.prerelease.length && !other.prerelease.length) {\n return -1;\n } else if (!this.prerelease.length && other.prerelease.length) {\n return 1;\n } else if (!this.prerelease.length && !other.prerelease.length) {\n return 0;\n }\n let i2 = 0;\n do {\n const a2 = this.prerelease[i2];\n const b2 = other.prerelease[i2];\n debug(\"prerelease compare\", i2, a2, b2);\n if (a2 === void 0 && b2 === void 0) {\n return 0;\n } else if (b2 === void 0) {\n return 1;\n } else if (a2 === void 0) {\n return -1;\n } else if (a2 === b2) {\n continue;\n } else {\n return compareIdentifiers(a2, b2);\n }\n } while (++i2);\n }\n compareBuild(other) {\n if (!(other instanceof SemVer)) {\n other = new SemVer(other, this.options);\n }\n let i2 = 0;\n do {\n const a2 = this.build[i2];\n const b2 = other.build[i2];\n debug(\"build compare\", i2, a2, b2);\n if (a2 === void 0 && b2 === void 0) {\n return 0;\n } else if (b2 === void 0) {\n return 1;\n } else if (a2 === void 0) {\n return -1;\n } else if (a2 === b2) {\n continue;\n } else {\n return compareIdentifiers(a2, b2);\n }\n } while (++i2);\n }\n // preminor will bump the version up to the next minor release, and immediately\n // down to pre-release. premajor and prepatch work the same way.\n inc(release, identifier, identifierBase) {\n switch (release) {\n case \"premajor\":\n this.prerelease.length = 0;\n this.patch = 0;\n this.minor = 0;\n this.major++;\n this.inc(\"pre\", identifier, identifierBase);\n break;\n case \"preminor\":\n this.prerelease.length = 0;\n this.patch = 0;\n this.minor++;\n this.inc(\"pre\", identifier, identifierBase);\n break;\n case \"prepatch\":\n this.prerelease.length = 0;\n this.inc(\"patch\", identifier, identifierBase);\n this.inc(\"pre\", identifier, identifierBase);\n break;\n // If the input is a non-prerelease version, this acts the same as\n // prepatch.\n case \"prerelease\":\n if (this.prerelease.length === 0) {\n this.inc(\"patch\", identifier, identifierBase);\n }\n this.inc(\"pre\", identifier, identifierBase);\n break;\n case \"major\":\n if (this.minor !== 0 || this.patch !== 0 || this.prerelease.length === 0) {\n this.major++;\n }\n this.minor = 0;\n this.patch = 0;\n this.prerelease = [];\n break;\n case \"minor\":\n if (this.patch !== 0 || this.prerelease.length === 0) {\n this.minor++;\n }\n this.patch = 0;\n this.prerelease = [];\n break;\n case \"patch\":\n if (this.prerelease.length === 0) {\n this.patch++;\n }\n this.prerelease = [];\n break;\n // This probably shouldn't be used publicly.\n // 1.0.0 'pre' would become 1.0.0-0 which is the wrong direction.\n case \"pre\": {\n const base = Number(identifierBase) ? 1 : 0;\n if (!identifier && identifierBase === false) {\n throw new Error(\"invalid increment argument: identifier is empty\");\n }\n if (this.prerelease.length === 0) {\n this.prerelease = [base];\n } else {\n let i2 = this.prerelease.length;\n while (--i2 >= 0) {\n if (typeof this.prerelease[i2] === \"number\") {\n this.prerelease[i2]++;\n i2 = -2;\n }\n }\n if (i2 === -1) {\n if (identifier === this.prerelease.join(\".\") && identifierBase === false) {\n throw new Error(\"invalid increment argument: identifier already exists\");\n }\n this.prerelease.push(base);\n }\n }\n if (identifier) {\n let prerelease = [identifier, base];\n if (identifierBase === false) {\n prerelease = [identifier];\n }\n if (compareIdentifiers(this.prerelease[0], identifier) === 0) {\n if (isNaN(this.prerelease[1])) {\n this.prerelease = prerelease;\n }\n } else {\n this.prerelease = prerelease;\n }\n }\n break;\n }\n default:\n throw new Error(`invalid increment argument: ${release}`);\n }\n this.raw = this.format();\n if (this.build.length) {\n this.raw += `+${this.build.join(\".\")}`;\n }\n return this;\n }\n }\n semver = SemVer;\n return semver;\n}\nvar parse_1;\nvar hasRequiredParse;\nfunction requireParse() {\n if (hasRequiredParse) return parse_1;\n hasRequiredParse = 1;\n const SemVer = requireSemver();\n const parse = (version, options, throwErrors = false) => {\n if (version instanceof SemVer) {\n return version;\n }\n try {\n return new SemVer(version, options);\n } catch (er) {\n if (!throwErrors) {\n return null;\n }\n throw er;\n }\n };\n parse_1 = parse;\n return parse_1;\n}\nvar valid_1;\nvar hasRequiredValid;\nfunction requireValid() {\n if (hasRequiredValid) return valid_1;\n hasRequiredValid = 1;\n const parse = requireParse();\n const valid2 = (version, options) => {\n const v = parse(version, options);\n return v ? v.version : null;\n };\n valid_1 = valid2;\n return valid_1;\n}\nvar validExports = requireValid();\nconst valid = /* @__PURE__ */ getDefaultExportFromCjs(validExports);\nvar major_1;\nvar hasRequiredMajor;\nfunction requireMajor() {\n if (hasRequiredMajor) return major_1;\n hasRequiredMajor = 1;\n const SemVer = requireSemver();\n const major2 = (a2, loose) => new SemVer(a2, loose).major;\n major_1 = major2;\n return major_1;\n}\nvar majorExports = requireMajor();\nconst major = /* @__PURE__ */ getDefaultExportFromCjs(majorExports);\nclass ProxyBus {\n bus;\n constructor(bus2) {\n if (typeof bus2.getVersion !== \"function\" || !valid(bus2.getVersion())) {\n console.warn(\"Proxying an event bus with an unknown or invalid version\");\n } else if (major(bus2.getVersion()) !== major(this.getVersion())) {\n console.warn(\n \"Proxying an event bus of version \" + bus2.getVersion() + \" with \" + this.getVersion()\n );\n }\n this.bus = bus2;\n }\n getVersion() {\n return \"3.3.2\";\n }\n subscribe(name, handler) {\n this.bus.subscribe(name, handler);\n }\n unsubscribe(name, handler) {\n this.bus.unsubscribe(name, handler);\n }\n emit(name, ...event) {\n this.bus.emit(name, ...event);\n }\n}\nclass SimpleBus {\n handlers = /* @__PURE__ */ new Map();\n getVersion() {\n return \"3.3.2\";\n }\n subscribe(name, handler) {\n this.handlers.set(\n name,\n (this.handlers.get(name) || []).concat(\n handler\n )\n );\n }\n unsubscribe(name, handler) {\n this.handlers.set(\n name,\n (this.handlers.get(name) || []).filter((h2) => h2 !== handler)\n );\n }\n emit(name, ...event) {\n const handlers = this.handlers.get(name) || [];\n handlers.forEach((h2) => {\n try {\n ;\n h2(event[0]);\n } catch (e2) {\n console.error(\"could not invoke event listener\", e2);\n }\n });\n }\n}\nlet bus = null;\nfunction getBus() {\n if (bus !== null) {\n return bus;\n }\n if (typeof window === \"undefined\") {\n return new Proxy({}, {\n get: () => {\n return () => console.error(\n \"Window not available, EventBus can not be established!\"\n );\n }\n });\n }\n if (window.OC?._eventBus && typeof window._nc_event_bus === \"undefined\") {\n console.warn(\n \"found old event bus instance at OC._eventBus. Update your version!\"\n );\n window._nc_event_bus = window.OC._eventBus;\n }\n if (typeof window?._nc_event_bus !== \"undefined\") {\n bus = new ProxyBus(window._nc_event_bus);\n } else {\n bus = window._nc_event_bus = new SimpleBus();\n }\n return bus;\n}\nfunction emit(name, ...event) {\n getBus().emit(name, ...event);\n}\n/*!\n * SPDX-FileCopyrightText: 2023 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\nclass FileListFilter extends TypedEventTarget {\n id;\n order;\n constructor(id, order = 100) {\n super();\n this.id = id;\n this.order = order;\n }\n filter(nodes) {\n throw new Error(\"Not implemented\");\n }\n updateChips(chips) {\n this.dispatchTypedEvent(\"update:chips\", new CustomEvent(\"update:chips\", { detail: chips }));\n }\n filterUpdated() {\n this.dispatchTypedEvent(\"update:filter\", new CustomEvent(\"update:filter\"));\n }\n}\nfunction registerFileListFilter(filter) {\n if (!window._nc_filelist_filters) {\n window._nc_filelist_filters = /* @__PURE__ */ new Map();\n }\n if (window._nc_filelist_filters.has(filter.id)) {\n throw new Error(`File list filter \"${filter.id}\" already registered`);\n }\n window._nc_filelist_filters.set(filter.id, filter);\n emit(\"files:filter:added\", filter);\n}\nfunction unregisterFileListFilter(filterId) {\n if (window._nc_filelist_filters && window._nc_filelist_filters.has(filterId)) {\n window._nc_filelist_filters.delete(filterId);\n emit(\"files:filter:removed\", filterId);\n }\n}\nfunction getFileListFilters() {\n if (!window._nc_filelist_filters) {\n return [];\n }\n return [...window._nc_filelist_filters.values()];\n}\nclass Header {\n _header;\n constructor(header) {\n this.validateHeader(header);\n this._header = header;\n }\n get id() {\n return this._header.id;\n }\n get order() {\n return this._header.order;\n }\n get enabled() {\n return this._header.enabled;\n }\n get render() {\n return this._header.render;\n }\n get updated() {\n return this._header.updated;\n }\n validateHeader(header) {\n if (!header.id || !header.render || !header.updated) {\n throw new Error(\"Invalid header: id, render and updated are required\");\n }\n if (typeof header.id !== \"string\") {\n throw new Error(\"Invalid id property\");\n }\n if (header.enabled !== void 0 && typeof header.enabled !== \"function\") {\n throw new Error(\"Invalid enabled property\");\n }\n if (header.render && typeof header.render !== \"function\") {\n throw new Error(\"Invalid render property\");\n }\n if (header.updated && typeof header.updated !== \"function\") {\n throw new Error(\"Invalid updated property\");\n }\n }\n}\nconst registerFileListHeaders = function(header) {\n if (typeof window._nc_filelistheader === \"undefined\") {\n window._nc_filelistheader = [];\n logger.debug(\"FileListHeaders initialized\");\n }\n if (window._nc_filelistheader.find((search) => search.id === header.id)) {\n logger.error(`Header ${header.id} already registered`, { header });\n return;\n }\n window._nc_filelistheader.push(header);\n};\nconst getFileListHeaders = function() {\n if (typeof window._nc_filelistheader === \"undefined\") {\n window._nc_filelistheader = [];\n logger.debug(\"FileListHeaders initialized\");\n }\n return window._nc_filelistheader;\n};\nclass Navigation extends TypedEventTarget {\n _views = [];\n _currentView = null;\n /**\n * Register a new view on the navigation\n * @param view The view to register\n * @throws `Error` is thrown if a view with the same id is already registered\n */\n register(view) {\n if (this._views.find((search) => search.id === view.id)) {\n throw new Error(`View id ${view.id} is already registered`);\n }\n this._views.push(view);\n this.dispatchTypedEvent(\"update\", new CustomEvent(\"update\"));\n }\n /**\n * Remove a registered view\n * @param id The id of the view to remove\n */\n remove(id) {\n const index = this._views.findIndex((view) => view.id === id);\n if (index !== -1) {\n this._views.splice(index, 1);\n this.dispatchTypedEvent(\"update\", new CustomEvent(\"update\"));\n }\n }\n /**\n * Set the currently active view\n * @fires UpdateActiveViewEvent\n * @param view New active view\n */\n setActive(view) {\n this._currentView = view;\n const event = new CustomEvent(\"updateActive\", { detail: view });\n this.dispatchTypedEvent(\"updateActive\", event);\n }\n /**\n * The currently active files view\n */\n get active() {\n return this._currentView;\n }\n /**\n * All registered views\n */\n get views() {\n return this._views;\n }\n}\nconst getNavigation = function() {\n if (typeof window._nc_navigation === \"undefined\") {\n window._nc_navigation = new Navigation();\n logger.debug(\"Navigation service initialized\");\n }\n return window._nc_navigation;\n};\nclass Column {\n _column;\n constructor(column) {\n isValidColumn(column);\n this._column = column;\n }\n get id() {\n return this._column.id;\n }\n get title() {\n return this._column.title;\n }\n get render() {\n return this._column.render;\n }\n get sort() {\n return this._column.sort;\n }\n get summary() {\n return this._column.summary;\n }\n}\nconst isValidColumn = function(column) {\n if (!column.id || typeof column.id !== \"string\") {\n throw new Error(\"A column id is required\");\n }\n if (!column.title || typeof column.title !== \"string\") {\n throw new Error(\"A column title is required\");\n }\n if (!column.render || typeof column.render !== \"function\") {\n throw new Error(\"A render function is required\");\n }\n if (column.sort && typeof column.sort !== \"function\") {\n throw new Error(\"Column sortFunction must be a function\");\n }\n if (column.summary && typeof column.summary !== \"function\") {\n throw new Error(\"Column summary must be a function\");\n }\n return true;\n};\nvar sax$1 = {};\nvar hasRequiredSax;\nfunction requireSax() {\n if (hasRequiredSax) return sax$1;\n hasRequiredSax = 1;\n (function(exports) {\n (function(sax2) {\n sax2.parser = function(strict, opt) {\n return new SAXParser(strict, opt);\n };\n sax2.SAXParser = SAXParser;\n sax2.SAXStream = SAXStream;\n sax2.createStream = createStream;\n sax2.MAX_BUFFER_LENGTH = 64 * 1024;\n var buffers = [\n \"comment\",\n \"sgmlDecl\",\n \"textNode\",\n \"tagName\",\n \"doctype\",\n \"procInstName\",\n \"procInstBody\",\n \"entity\",\n \"attribName\",\n \"attribValue\",\n \"cdata\",\n \"script\"\n ];\n sax2.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 function SAXParser(strict, opt) {\n if (!(this instanceof SAXParser)) {\n return new SAXParser(strict, opt);\n }\n var parser = this;\n clearBuffers(parser);\n parser.q = parser.c = \"\";\n parser.bufferCheckPosition = sax2.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(sax2.XML_ENTITIES) : Object.create(sax2.ENTITIES);\n parser.attribList = [];\n if (parser.opt.xmlns) {\n parser.ns = Object.create(rootNS);\n }\n if (parser.opt.unquotedAttributeValues === void 0) {\n parser.opt.unquotedAttributeValues = !strict;\n }\n parser.trackPosition = parser.opt.position !== false;\n if (parser.trackPosition) {\n parser.position = parser.line = parser.column = 0;\n }\n emit2(parser, \"onready\");\n }\n if (!Object.create) {\n Object.create = function(o) {\n function F2() {\n }\n F2.prototype = o;\n var newf = new F2();\n return newf;\n };\n }\n if (!Object.keys) {\n Object.keys = function(o) {\n var a2 = [];\n for (var i2 in o) if (o.hasOwnProperty(i2)) a2.push(i2);\n return a2;\n };\n }\n function checkBufferLength(parser) {\n var maxAllowed = Math.max(sax2.MAX_BUFFER_LENGTH, 10);\n var maxActual = 0;\n for (var i2 = 0, l2 = buffers.length; i2 < l2; i2++) {\n var len = parser[buffers[i2]].length;\n if (len > maxAllowed) {\n switch (buffers[i2]) {\n case \"textNode\":\n closeText(parser);\n break;\n case \"cdata\":\n emitNode(parser, \"oncdata\", parser.cdata);\n parser.cdata = \"\";\n break;\n case \"script\":\n emitNode(parser, \"onscript\", parser.script);\n parser.script = \"\";\n break;\n default:\n error(parser, \"Max buffer length exceeded: \" + buffers[i2]);\n }\n }\n maxActual = Math.max(maxActual, len);\n }\n var m2 = sax2.MAX_BUFFER_LENGTH - maxActual;\n parser.bufferCheckPosition = m2 + parser.position;\n }\n function clearBuffers(parser) {\n for (var i2 = 0, l2 = buffers.length; i2 < l2; i2++) {\n parser[buffers[i2]] = \"\";\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 SAXParser.prototype = {\n end: function() {\n end(this);\n },\n write,\n resume: function() {\n this.error = null;\n return this;\n },\n close: function() {\n return this.write(null);\n },\n flush: function() {\n flushBuffers(this);\n }\n };\n var Stream;\n try {\n Stream = require(\"stream\").Stream;\n } catch (ex) {\n Stream = function() {\n };\n }\n if (!Stream) Stream = function() {\n };\n var streamWraps = sax2.EVENTS.filter(function(ev) {\n return ev !== \"error\" && ev !== \"end\";\n });\n function createStream(strict, opt) {\n return new SAXStream(strict, opt);\n }\n function SAXStream(strict, opt) {\n if (!(this instanceof SAXStream)) {\n return new SAXStream(strict, opt);\n }\n Stream.apply(this);\n this._parser = new SAXParser(strict, opt);\n this.writable = true;\n this.readable = true;\n var me = this;\n this._parser.onend = function() {\n me.emit(\"end\");\n };\n this._parser.onerror = function(er) {\n me.emit(\"error\", er);\n me._parser.error = null;\n };\n this._decoder = null;\n streamWraps.forEach(function(ev) {\n Object.defineProperty(me, \"on\" + ev, {\n get: function() {\n return me._parser[\"on\" + ev];\n },\n set: function(h2) {\n if (!h2) {\n me.removeAllListeners(ev);\n me._parser[\"on\" + ev] = h2;\n return h2;\n }\n me.on(ev, h2);\n },\n enumerable: true,\n configurable: false\n });\n });\n }\n SAXStream.prototype = Object.create(Stream.prototype, {\n constructor: {\n value: SAXStream\n }\n });\n SAXStream.prototype.write = function(data) {\n if (typeof Buffer === \"function\" && typeof Buffer.isBuffer === \"function\" && Buffer.isBuffer(data)) {\n if (!this._decoder) {\n var SD = require$$1.StringDecoder;\n this._decoder = new SD(\"utf8\");\n }\n data = this._decoder.write(data);\n }\n this._parser.write(data.toString());\n this.emit(\"data\", data);\n return true;\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 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 return Stream.prototype.on.call(me, ev, handler);\n };\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 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 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 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 function isWhitespace(c2) {\n return c2 === \" \" || c2 === \"\\n\" || c2 === \"\\r\" || c2 === \"\t\";\n }\n function isQuote(c2) {\n return c2 === '\"' || c2 === \"'\";\n }\n function isAttribEnd(c2) {\n return c2 === \">\" || isWhitespace(c2);\n }\n function isMatch(regex, c2) {\n return regex.test(c2);\n }\n function notMatch(regex, c2) {\n return !isMatch(regex, c2);\n }\n var S = 0;\n sax2.STATE = {\n BEGIN: S++,\n // leading byte order mark or whitespace\n BEGIN_WHITESPACE: S++,\n // leading whitespace\n TEXT: S++,\n // general stuff\n TEXT_ENTITY: S++,\n // & and such.\n OPEN_WAKA: S++,\n // <\n SGML_DECL: S++,\n // \n SCRIPT: S++,\n // ","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./ChevronDown.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./ChevronDown.vue?vue&type=script&lang=js\"","import { render, staticRenderFns } from \"./ChevronDown.vue?vue&type=template&id=ec7aad58\"\nimport script from \"./ChevronDown.vue?vue&type=script&lang=js\"\nexport * from \"./ChevronDown.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-down-icon\",attrs:{\"aria-hidden\":_vm.title ? null : 'true',\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M7.41,8.58L12,13.17L16.59,8.58L18,10L12,16L6,10L7.41,8.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!./CloudCheckVariant.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./CloudCheckVariant.vue?vue&type=script&lang=js\"","\n \n \n \n\n\n","import { render, staticRenderFns } from \"./CloudCheckVariant.vue?vue&type=template&id=9de82aac\"\nimport script from \"./CloudCheckVariant.vue?vue&type=script&lang=js\"\nexport * from \"./CloudCheckVariant.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 cloud-check-variant-icon\",attrs:{\"aria-hidden\":_vm.title ? null : 'true',\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M10.35 17L16 11.35L14.55 9.9L10.33 14.13L8.23 12.03L6.8 13.45M6.5 20Q4.22 20 2.61 18.43 1 16.85 1 14.58 1 12.63 2.17 11.1 3.35 9.57 5.25 9.15 5.88 6.85 7.75 5.43 9.63 4 12 4 14.93 4 16.96 6.04 19 8.07 19 11 20.73 11.2 21.86 12.5 23 13.78 23 15.5 23 17.38 21.69 18.69 20.38 20 18.5 20Z\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","\n \n \n \n\n\n","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./NewBox.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./NewBox.vue?vue&type=script&lang=js\"","import { render, staticRenderFns } from \"./NewBox.vue?vue&type=template&id=3a60b4d6\"\nimport script from \"./NewBox.vue?vue&type=script&lang=js\"\nexport * from \"./NewBox.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 new-box-icon\",attrs:{\"aria-hidden\":_vm.title ? null : 'true',\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M20,4C21.11,4 22,4.89 22,6V18C22,19.11 21.11,20 20,20H4C2.89,20 2,19.11 2,18V6C2,4.89 2.89,4 4,4H20M8.5,15V9H7.25V12.5L4.75,9H3.5V15H4.75V11.5L7.3,15H8.5M13.5,10.26V9H9.5V15H13.5V13.75H11V12.64H13.5V11.38H11V10.26H13.5M20.5,14V9H19.25V13.5H18.13V10H16.88V13.5H15.75V9H14.5V14A1,1 0 0,0 15.5,15H19.5A1,1 0 0,0 20.5,14Z\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","\n \n \n \n\n\n","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./SourceBranch.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./SourceBranch.vue?vue&type=script&lang=js\"","import { render, staticRenderFns } from \"./SourceBranch.vue?vue&type=template&id=7fa75530\"\nimport script from \"./SourceBranch.vue?vue&type=script&lang=js\"\nexport * from \"./SourceBranch.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 source-branch-icon\",attrs:{\"aria-hidden\":_vm.title ? null : 'true',\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M13,14C9.64,14 8.54,15.35 8.18,16.24C9.25,16.7 10,17.76 10,19A3,3 0 0,1 7,22A3,3 0 0,1 4,19C4,17.69 4.83,16.58 6,16.17V7.83C4.83,7.42 4,6.31 4,5A3,3 0 0,1 7,2A3,3 0 0,1 10,5C10,6.31 9.17,7.42 8,7.83V13.12C8.88,12.47 10.16,12 12,12C14.67,12 15.56,10.66 15.85,9.77C14.77,9.32 14,8.25 14,7A3,3 0 0,1 17,4A3,3 0 0,1 20,7C20,8.34 19.12,9.5 17.91,9.86C17.65,11.29 16.68,14 13,14M7,18A1,1 0 0,0 6,19A1,1 0 0,0 7,20A1,1 0 0,0 8,19A1,1 0 0,0 7,18M7,4A1,1 0 0,0 6,5A1,1 0 0,0 7,6A1,1 0 0,0 8,5A1,1 0 0,0 7,4M17,6A1,1 0 0,0 16,7A1,1 0 0,0 17,8A1,1 0 0,0 18,7A1,1 0 0,0 17,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!./Star.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./Star.vue?vue&type=script&lang=js\"","\n \n \n \n\n\n","import { render, staticRenderFns } from \"./Star.vue?vue&type=template&id=7a8a7db5\"\nimport script from \"./Star.vue?vue&type=script&lang=js\"\nexport * from \"./Star.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 star-icon\",attrs:{\"aria-hidden\":_vm.title ? null : 'true',\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M12,17.27L18.18,21L16.54,13.97L22,9.24L14.81,8.62L12,2L9.19,8.62L2,9.24L7.45,13.97L5.82,21L12,17.27Z\"}},[(_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!./WeatherNight.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./WeatherNight.vue?vue&type=script&lang=js\"","\n \n \n \n\n\n","import { render, staticRenderFns } from \"./WeatherNight.vue?vue&type=template&id=7403c0ea\"\nimport script from \"./WeatherNight.vue?vue&type=script&lang=js\"\nexport * from \"./WeatherNight.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 weather-night-icon\",attrs:{\"aria-hidden\":_vm.title ? null : 'true',\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M17.75,4.09L15.22,6.03L16.13,9.09L13.5,7.28L10.87,9.09L11.78,6.03L9.25,4.09L12.44,4L13.5,1L14.56,4L17.75,4.09M21.25,11L19.61,12.25L20.2,14.23L18.5,13.06L16.8,14.23L17.39,12.25L15.75,11L17.81,10.95L18.5,9L19.19,10.95L21.25,11M18.97,15.95C19.8,15.87 20.69,17.05 20.16,17.8C19.84,18.25 19.5,18.67 19.08,19.07C15.17,23 8.84,23 4.94,19.07C1.03,15.17 1.03,8.83 4.94,4.93C5.34,4.53 5.76,4.17 6.21,3.85C6.96,3.32 8.14,4.21 8.06,5.04C7.79,7.9 8.75,10.87 10.95,13.06C13.14,15.26 16.1,16.22 18.97,15.95M17.33,17.97C14.5,17.81 11.7,16.64 9.53,14.5C7.36,12.31 6.2,9.5 6.04,6.68C3.23,9.82 3.34,14.64 6.35,17.66C9.37,20.67 14.19,20.78 17.33,17.97Z\"}},[(_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!./Wrench.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./Wrench.vue?vue&type=script&lang=js\"","\n \n \n \n\n\n","import { render, staticRenderFns } from \"./Wrench.vue?vue&type=template&id=09e8a45f\"\nimport script from \"./Wrench.vue?vue&type=script&lang=js\"\nexport * from \"./Wrench.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 wrench-icon\",attrs:{\"aria-hidden\":_vm.title ? null : 'true',\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M22.7,19L13.6,9.9C14.5,7.6 14,4.9 12.1,3C10.1,1 7.1,0.6 4.7,1.7L9,6L6,9L1.6,4.7C0.4,7.1 0.9,10.1 2.9,12.1C4.8,14 7.5,14.5 9.8,13.6L18.9,22.7C19.3,23.1 19.9,23.1 20.3,22.7L22.6,20.4C23.1,20 23.1,19.3 22.7,19Z\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","\n\n\t\n\t\t
\n\t\t\t\n\t\t\t\t\n\t\t\t\t\t{{ t('updatenotification', 'The version you are running is not maintained anymore. Please make sure to update to a supported version as soon as possible.') }}\n\t\t\t\t\n\n\t\t\t\t
\n\t\t\t\t\t\t{{ t('updatenotification', 'Please note that the web updater is not recommended with more than 100 accounts! Please use the command line updater instead!') }}\n\t\t\t\t\t
\n\t\t\t\t\n\n\t\t\t\t
\n\t\t\t\t\t{{ t('updatenotification', 'Open updater') }}\n\t\t\t\t\t{{ t('updatenotification', 'Download now') }}\n\t\t\t\t\t\n\t\t\t\t\t\t{{ t('updatenotification', 'Web updater is disabled. Please use the command line updater or the appropriate update mechanism for your installation method (e.g. Docker pull) to update.') }}\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\t\n\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t{{ t('updatenotification', 'View changelog') }}\n\t\t\t\t\t\t\t\t\n\t\t\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\n\t\t\t\t\t\n\t\t\t\t
\n\t\t\t\n\t\t\t\n\t\t\t\t{{ t('updatenotification', 'The update check is not yet finished. Please refresh the page.') }}\n\t\t\t\n\t\t\t\n\t\t\t\t{{ t('updatenotification', 'Your version is up to date.') }}\n\t\t\t\t\n\t\t\t\n\n\t\t\t\n\t\t\t\t
\n\t\t\t\t\t{{ t('updatenotification', 'A non-default update server is in use to be checked for updates:') }} {{ updateServerURL }}\n\t\t\t\t
\n\t\t\t\n\t\t
\n\n\t\t
{{ t('updatenotification', 'Update channel') }}
\n\t\t
\n\t\t\t{{ t('updatenotification', 'Changing the update channel also affects the apps management page. E.g. after switching to the beta channel, beta app updates will be offered to you in the apps management page.') }}\n\t\t
\n\t\t\t{{ t('updatenotification', 'You can always update to a newer version. But you can never downgrade to a more stable version.') }} \n\t\t\t\n\t\t\t\n\t\t
\n\t\t\t{{ t('updatenotification', 'Only notifications for app updates are available.') }}\n\t\t\t{{ t('updatenotification', 'The selected update channel makes dedicated notifications for the server obsolete.') }}\n\t\t\t{{ t('updatenotification', 'The selected update channel does not support updates of the server.') }}\n\t\t
\n\t\n\n\n\n\n\n\n","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./UpdateNotification.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!./UpdateNotification.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!./UpdateNotification.vue?vue&type=style&index=0&id=31b11a70&prod&lang=scss&scoped=true\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\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!./UpdateNotification.vue?vue&type=style&index=0&id=31b11a70&prod&lang=scss&scoped=true\";\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!./UpdateNotification.vue?vue&type=style&index=1&id=31b11a70&prod&lang=scss\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\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!./UpdateNotification.vue?vue&type=style&index=1&id=31b11a70&prod&lang=scss\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./UpdateNotification.vue?vue&type=template&id=31b11a70&scoped=true\"\nimport script from \"./UpdateNotification.vue?vue&type=script&lang=js\"\nexport * from \"./UpdateNotification.vue?vue&type=script&lang=js\"\nimport style0 from \"./UpdateNotification.vue?vue&type=style&index=0&id=31b11a70&prod&lang=scss&scoped=true\"\nimport style1 from \"./UpdateNotification.vue?vue&type=style&index=1&id=31b11a70&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 \"31b11a70\",\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('NcSettingsSection',{attrs:{\"id\":\"updatenotification\",\"name\":_vm.t('updatenotification', 'Update')}},[_c('div',{staticClass:\"update\"},[(_vm.isNewVersionAvailable)?[(_vm.versionIsEol)?_c('NcNoteCard',{attrs:{\"type\":\"warning\"}},[_vm._v(\"\\n\\t\\t\\t\\t\"+_vm._s(_vm.t('updatenotification', 'The version you are running is not maintained anymore. Please make sure to update to a supported version as soon as possible.'))+\"\\n\\t\\t\\t\")]):_vm._e(),_vm._v(\" \"),_c('p',[_c('span',{domProps:{\"innerHTML\":_vm._s(_vm.newVersionAvailableString)}}),_c('br'),_vm._v(\" \"),(!_vm.isListFetched)?_c('span',{staticClass:\"icon icon-loading-small\"}):_vm._e(),_vm._v(\" \"),_c('span',{domProps:{\"innerHTML\":_vm._s(_vm.statusText)}})]),_vm._v(\" \"),(_vm.missingAppUpdates.length)?[_c('h3',{staticClass:\"clickable\",on:{\"click\":_vm.toggleHideMissingUpdates}},[_vm._v(\"\\n\\t\\t\\t\\t\\t\"+_vm._s(_vm.t('updatenotification', 'Apps missing compatible version'))+\"\\n\\t\\t\\t\\t\\t\"),(!_vm.hideMissingUpdates)?_c('span',{staticClass:\"icon icon-triangle-n\"}):_vm._e(),_vm._v(\" \"),(_vm.hideMissingUpdates)?_c('span',{staticClass:\"icon icon-triangle-s\"}):_vm._e()]),_vm._v(\" \"),(!_vm.hideMissingUpdates)?_c('ul',{staticClass:\"applist\"},_vm._l((_vm.missingAppUpdates),function(app,index){return _c('li',{key:index},[_c('a',{attrs:{\"href\":'https://apps.nextcloud.com/apps/' + app.appId,\"title\":_vm.t('settings', 'View in store')}},[_vm._v(_vm._s(app.appName)+\" ↗\")])])}),0):_vm._e()]:_vm._e(),_vm._v(\" \"),(_vm.availableAppUpdates.length)?[_c('h3',{staticClass:\"clickable\",on:{\"click\":_vm.toggleHideAvailableUpdates}},[_vm._v(\"\\n\\t\\t\\t\\t\\t\"+_vm._s(_vm.t('updatenotification', 'Apps with compatible version'))+\"\\n\\t\\t\\t\\t\\t\"),(!_vm.hideAvailableUpdates)?_c('span',{staticClass:\"icon icon-triangle-n\"}):_vm._e(),_vm._v(\" \"),(_vm.hideAvailableUpdates)?_c('span',{staticClass:\"icon icon-triangle-s\"}):_vm._e()]),_vm._v(\" \"),(!_vm.hideAvailableUpdates)?_c('ul',{staticClass:\"applist\"},_vm._l((_vm.availableAppUpdates),function(app,index){return _c('li',{key:index},[_c('a',{attrs:{\"href\":'https://apps.nextcloud.com/apps/' + app.appId,\"title\":_vm.t('settings', 'View in store')}},[_vm._v(_vm._s(app.appName)+\" ↗\")])])}),0):_vm._e()]:_vm._e(),_vm._v(\" \"),(!_vm.isWebUpdaterRecommended && _vm.updaterEnabled && _vm.webUpdaterEnabled)?[_c('h3',{staticClass:\"warning\"},[_vm._v(\"\\n\\t\\t\\t\\t\\t\"+_vm._s(_vm.t('updatenotification', 'Please note that the web updater is not recommended with more than 100 accounts! Please use the command line updater instead!'))+\"\\n\\t\\t\\t\\t\")])]:_vm._e(),_vm._v(\" \"),_c('div',[(_vm.updaterEnabled && _vm.webUpdaterEnabled)?_c('a',{staticClass:\"button primary\",attrs:{\"href\":\"#\"},on:{\"click\":_vm.clickUpdaterButton}},[_vm._v(_vm._s(_vm.t('updatenotification', 'Open updater')))]):_vm._e(),_vm._v(\" \"),(_vm.downloadLink)?_c('a',{staticClass:\"button\",class:{ hidden: !_vm.updaterEnabled },attrs:{\"href\":_vm.downloadLink}},[_vm._v(_vm._s(_vm.t('updatenotification', 'Download now')))]):_vm._e(),_vm._v(\" \"),(_vm.updaterEnabled && !_vm.webUpdaterEnabled)?_c('span',[_vm._v(\"\\n\\t\\t\\t\\t\\t\"+_vm._s(_vm.t('updatenotification', 'Web updater is disabled. Please use the command line updater or the appropriate update mechanism for your installation method (e.g. Docker pull) to update.'))+\"\\n\\t\\t\\t\\t\")]):_vm._e(),_vm._v(\" \"),(_vm.whatsNewData || _vm.changelogURL)?_c('NcActions',{attrs:{\"force-menu\":true,\"menu-name\":_vm.t('updatenotification', 'What\\'s new?'),\"type\":\"tertiary\"},scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [_c('IconNewBox',{attrs:{\"size\":20}})]},proxy:true},{key:\"default\",fn:function(){return [_vm._l((_vm.whatsNewData),function(changes,index){return _c('NcActionCaption',{key:index,attrs:{\"name\":changes}})}),_vm._v(\" \"),(_vm.changelogURL)?_c('NcActionLink',{attrs:{\"href\":_vm.changelogURL,\"close-after-click\":\"\",\"target\":\"_blank\"},scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [_c('IconLink',{attrs:{\"size\":20}})]},proxy:true}],null,false,3963853667)},[_vm._v(\"\\n\\t\\t\\t\\t\\t\\t\\t\"+_vm._s(_vm.t('updatenotification', 'View changelog'))+\"\\n\\t\\t\\t\\t\\t\\t\\t\")]):_vm._e()]},proxy:true}],null,false,1184001031)}):_vm._e()],1)]:(!_vm.isUpdateChecked)?[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_vm.t('updatenotification', 'The update check is not yet finished. Please refresh the page.'))+\"\\n\\t\\t\")]:[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_vm.t('updatenotification', 'Your version is up to date.'))+\"\\n\\t\\t\\t\"),_c('a',{staticClass:\"icon-info details\",attrs:{\"title\":_vm.lastCheckedOnString,\"aria-label\":_vm.lastCheckedOnString,\"href\":\"https://nextcloud.com/changelog/\",\"target\":\"_blank\"}})],_vm._v(\" \"),(!_vm.isDefaultUpdateServerURL)?[_c('p',{staticClass:\"topMargin\"},[_c('em',[_vm._v(_vm._s(_vm.t('updatenotification', 'A non-default update server is in use to be checked for updates:'))+\" \"),_c('code',[_vm._v(_vm._s(_vm.updateServerURL))])])])]:_vm._e()],2),_vm._v(\" \"),_c('h3',[_vm._v(_vm._s(_vm.t('updatenotification', 'Update channel')))]),_vm._v(\" \"),_c('p',{staticClass:\"inlineblock\"},[_vm._v(\"\\n\\t\\t\"+_vm._s(_vm.t('updatenotification', 'Changing the update channel also affects the apps management page. E.g. after switching to the beta channel, beta app updates will be offered to you in the apps management page.'))+\"\\n\\t\")]),_vm._v(\" \"),_c('div',{staticClass:\"update-channel-selector\"},[_c('span',[_vm._v(_vm._s(_vm.t('updatenotification', 'Current update channel:')))]),_vm._v(\" \"),_c('NcActions',{attrs:{\"force-menu\":true,\"menu-name\":_vm.localizedChannelName,\"type\":\"tertiary\"},scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [_c('IconChevronDown',{attrs:{\"size\":20}})]},proxy:true},{key:\"default\",fn:function(){return _vm._l((_vm.channelList),function(channel){return _c('NcActionButton',{key:channel.value,attrs:{\"disabled\":channel.disabled,\"name\":channel.text,\"value\":channel.value,\"model-value\":_vm.currentChannel,\"type\":\"radio\",\"close-after-click\":\"\"},on:{\"update:modelValue\":_vm.changeReleaseChannel},scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [_c(channel.icon,{tag:\"component\",attrs:{\"size\":20}})]},proxy:true}],null,true)},[_vm._v(\"\\n\\t\\t\\t\\t\\t\"+_vm._s(channel.longtext)+\"\\n\\t\\t\\t\\t\")])})},proxy:true}])})],1),_vm._v(\" \"),_c('p',[_c('em',[_vm._v(_vm._s(_vm.t('updatenotification', 'You can always update to a newer version. But you can never downgrade to a more stable version.')))]),_c('br'),_vm._v(\" \"),_c('em',{domProps:{\"innerHTML\":_vm._s(_vm.noteDelayedStableString)}})]),_vm._v(\" \"),_c('NcSelect',{attrs:{\"id\":\"notify-members-settings-select-wrapper\",\"input-label\":_vm.t('updatenotification', 'Notify members of the following groups about available updates:'),\"options\":_vm.groups,\"multiple\":true,\"label\":\"displayname\",\"loading\":_vm.loadingGroups,\"close-on-select\":false},on:{\"search\":_vm.searchGroup},scopedSlots:_vm._u([{key:\"no-options\",fn:function(){return [_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_vm.t('updatenotification', 'No groups'))+\"\\n\\t\\t\")]},proxy:true}]),model:{value:(_vm.notifyGroups),callback:function ($$v) {_vm.notifyGroups=$$v},expression:\"notifyGroups\"}}),_vm._v(\" \"),_c('p',[(_vm.currentChannel === 'daily' || _vm.currentChannel === 'git')?_c('em',[_vm._v(_vm._s(_vm.t('updatenotification', 'Only notifications for app updates are available.')))]):_vm._e(),_vm._v(\" \"),(_vm.currentChannel === 'daily')?_c('em',[_vm._v(_vm._s(_vm.t('updatenotification', 'The selected update channel makes dedicated notifications for the server obsolete.')))]):(_vm.currentChannel === 'git')?_c('em',[_vm._v(_vm._s(_vm.t('updatenotification', 'The selected update channel does not support updates of the server.')))]):_vm._e()])],1)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","/**\n * SPDX-FileCopyrightText: 2018 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\nimport { translate, translatePlural } from '@nextcloud/l10n'\n\nimport Vue from 'vue'\nimport Root from './components/UpdateNotification.vue'\n\nVue.mixin({\n\tmethods: {\n\t\tt(app, text, vars, count, options) {\n\t\t\treturn translate(app, text, vars, count, options)\n\t\t},\n\t\tn(app, textSingular, textPlural, count, vars, options) {\n\t\t\treturn translatePlural(app, textSingular, textPlural, count, vars, options)\n\t\t},\n\t},\n})\n\n// eslint-disable-next-line no-new\nnew Vue({\n\tel: '#updatenotification',\n\trender: h => h(Root),\n})\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, `#updatenotification>*[data-v-31b11a70]{max-width:900px}#updatenotification .topMargin[data-v-31b11a70]{margin-top:15px}#updatenotification div.update[data-v-31b11a70],#updatenotification p[data-v-31b11a70]:not(.inlineblock){margin-bottom:25px}#updatenotification h2.inlineblock[data-v-31b11a70]{margin-top:25px}#updatenotification h3.clickable[data-v-31b11a70]{cursor:pointer}#updatenotification h3.clickable .icon[data-v-31b11a70]{cursor:pointer}#updatenotification .update-channel-selector[data-v-31b11a70]{display:flex;align-items:center;gap:12px}#updatenotification .icon[data-v-31b11a70]{display:inline-block;margin-bottom:-3px}#updatenotification .icon-triangle-s[data-v-31b11a70],#updatenotification .icon-triangle-n[data-v-31b11a70]{opacity:.5}#updatenotification .applist[data-v-31b11a70]{margin-bottom:25px}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/updatenotification/src/components/UpdateNotification.vue\"],\"names\":[],\"mappings\":\"AAEC,uCACC,eAAA,CAGD,gDACC,eAAA,CAGD,yGAEC,kBAAA,CAED,oDACC,eAAA,CAGA,kDACC,cAAA,CACA,wDACC,cAAA,CAIH,8DACC,YAAA,CACA,kBAAA,CACA,QAAA,CAED,2CACC,oBAAA,CACA,kBAAA,CAED,4GACC,UAAA,CAED,8CACC,kBAAA\",\"sourcesContent\":[\"\\n#updatenotification {\\n\\t& > * {\\n\\t\\tmax-width: 900px;\\n\\t}\\n\\n\\t.topMargin {\\n\\t\\tmargin-top: 15px;\\n\\t}\\n\\n\\tdiv.update,\\n\\tp:not(.inlineblock) {\\n\\t\\tmargin-bottom: 25px;\\n\\t}\\n\\th2.inlineblock {\\n\\t\\tmargin-top: 25px;\\n\\t}\\n\\th3 {\\n\\t\\t&.clickable {\\n\\t\\t\\tcursor: pointer;\\n\\t\\t\\t.icon {\\n\\t\\t\\t\\tcursor: pointer;\\n\\t\\t\\t}\\n\\t\\t}\\n\\t}\\n\\t.update-channel-selector {\\n\\t\\tdisplay: flex;\\n\\t\\talign-items: center;\\n\\t\\tgap: 12px;\\n\\t}\\n\\t.icon {\\n\\t\\tdisplay: inline-block;\\n\\t\\tmargin-bottom: -3px;\\n\\t}\\n\\t.icon-triangle-s, .icon-triangle-n {\\n\\t\\topacity: 0.5;\\n\\t}\\n\\t.applist {\\n\\t\\tmargin-bottom: 25px;\\n\\t}\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\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=\" + {\"640\":\"d3d98600d88fd55c7b27\",\"5771\":\"d141d1ad8187d99738b9\",\"5810\":\"fc51f8aa95a9854d22fd\",\"7471\":\"6423b9b898ffefeb7d1d\",\"8474\":\"d060bb2e97b1499bd6b0\"}[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 = 8604;","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 && document.currentScript.tagName.toUpperCase() === 'SCRIPT')\n\t\tscriptUrl = document.currentScript.src;\n\tif (!scriptUrl) {\n\t\tvar scripts = document.getElementsByTagName(\"script\");\n\t\tif(scripts.length) {\n\t\t\tvar i = scripts.length - 1;\n\t\t\twhile (i > -1 && (!scriptUrl || !/^http(s?):/.test(scriptUrl))) scriptUrl = scripts[i--].src;\n\t\t}\n\t}\n}\n// When supporting browsers where an automatic publicPath is not supported you must specify an output.publicPath manually via configuration\n// or pass an empty string (\"\") and set the __webpack_public_path__ variable from your code to use your own logic.\nif (!scriptUrl) throw new Error(\"Automatic publicPath is not supported in this browser\");\nscriptUrl = scriptUrl.replace(/^blob:/, \"\").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\t8604: 0\n};\n\n__webpack_require__.f.j = (chunkId, promises) => {\n\t\t// JSONP chunk loading for javascript\n\t\tvar installedChunkData = __webpack_require__.o(installedChunks, chunkId) ? installedChunks[chunkId] : undefined;\n\t\tif(installedChunkData !== 0) { // 0 means \"already installed\".\n\n\t\t\t// a Promise means \"currently loading\".\n\t\t\tif(installedChunkData) {\n\t\t\t\tpromises.push(installedChunkData[2]);\n\t\t\t} else {\n\t\t\t\tif(true) { // all chunks have JS\n\t\t\t\t\t// setup Promise in chunk cache\n\t\t\t\t\tvar promise = new Promise((resolve, reject) => (installedChunkData = installedChunks[chunkId] = [resolve, reject]));\n\t\t\t\t\tpromises.push(installedChunkData[2] = promise);\n\n\t\t\t\t\t// start chunk loading\n\t\t\t\t\tvar url = __webpack_require__.p + __webpack_require__.u(chunkId);\n\t\t\t\t\t// create error before stack unwound to get useful stacktrace later\n\t\t\t\t\tvar error = new Error();\n\t\t\t\t\tvar loadingEnded = (event) => {\n\t\t\t\t\t\tif(__webpack_require__.o(installedChunks, chunkId)) {\n\t\t\t\t\t\t\tinstalledChunkData = installedChunks[chunkId];\n\t\t\t\t\t\t\tif(installedChunkData !== 0) installedChunks[chunkId] = undefined;\n\t\t\t\t\t\t\tif(installedChunkData) {\n\t\t\t\t\t\t\t\tvar errorType = event && (event.type === 'load' ? 'missing' : event.type);\n\t\t\t\t\t\t\t\tvar realSrc = event && event.target && event.target.src;\n\t\t\t\t\t\t\t\terror.message = 'Loading chunk ' + chunkId + ' failed.\\n(' + errorType + ': ' + realSrc + ')';\n\t\t\t\t\t\t\t\terror.name = 'ChunkLoadError';\n\t\t\t\t\t\t\t\terror.type = errorType;\n\t\t\t\t\t\t\t\terror.request = realSrc;\n\t\t\t\t\t\t\t\tinstalledChunkData[1](error);\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\t\t\t\t\t};\n\t\t\t\t\t__webpack_require__.l(url, loadingEnded, \"chunk-\" + chunkId, chunkId);\n\t\t\t\t}\n\t\t\t}\n\t\t}\n};\n\n// no prefetching\n\n// no preloaded\n\n// no HMR\n\n// no HMR manifest\n\n__webpack_require__.O.j = (chunkId) => (installedChunks[chunkId] === 0);\n\n// install a JSONP callback for chunk loading\nvar webpackJsonpCallback = (parentChunkLoadingFunction, data) => {\n\tvar chunkIds = data[0];\n\tvar moreModules = data[1];\n\tvar runtime = data[2];\n\t// add \"moreModules\" to the modules object,\n\t// then flag all \"chunkIds\" as loaded and fire callback\n\tvar moduleId, chunkId, i = 0;\n\tif(chunkIds.some((id) => (installedChunks[id] !== 0))) {\n\t\tfor(moduleId in moreModules) {\n\t\t\tif(__webpack_require__.o(moreModules, moduleId)) {\n\t\t\t\t__webpack_require__.m[moduleId] = moreModules[moduleId];\n\t\t\t}\n\t\t}\n\t\tif(runtime) var result = runtime(__webpack_require__);\n\t}\n\tif(parentChunkLoadingFunction) parentChunkLoadingFunction(data);\n\tfor(;i < chunkIds.length; i++) {\n\t\tchunkId = chunkIds[i];\n\t\tif(__webpack_require__.o(installedChunks, chunkId) && installedChunks[chunkId]) {\n\t\t\tinstalledChunks[chunkId][0]();\n\t\t}\n\t\tinstalledChunks[chunkId] = 0;\n\t}\n\treturn __webpack_require__.O(result);\n}\n\nvar chunkLoadingGlobal = self[\"webpackChunknextcloud\"] = self[\"webpackChunknextcloud\"] || [];\nchunkLoadingGlobal.forEach(webpackJsonpCallback.bind(null, 0));\nchunkLoadingGlobal.push = webpackJsonpCallback.bind(null, chunkLoadingGlobal.push.bind(chunkLoadingGlobal));","__webpack_require__.nc = undefined;","// startup\n// Load entry module and return exports\n// This entry module depends on other loaded chunks and execution need to be delayed\nvar __webpack_exports__ = __webpack_require__.O(undefined, [4208], () => (__webpack_require__(87636)))\n__webpack_exports__ = __webpack_require__.O(__webpack_exports__);\n"],"names":["deferred","inProgress","dataWebpackPrefix","___CSS_LOADER_EXPORT___","push","module","id","name","emits","props","title","type","String","fillColor","default","size","Number","_vm","this","_c","_self","_b","staticClass","attrs","on","$event","$emit","$attrs","_v","_s","_e","logger","getLoggerBuilder","setApp","detectUser","build","components","IconChevronDown","IconLink","IconNewBox","NcActions","NcActionButton","NcActionCaption","NcActionLink","NcNoteCard","NcSelect","NcSettingsSection","data","loadingGroups","newVersionString","lastCheckedDate","isUpdateChecked","webUpdaterEnabled","isWebUpdaterRecommended","updaterEnabled","versionIsEol","downloadLink","isNewVersionAvailable","hasValidSubscription","updateServerURL","changelogURL","whatsNewData","currentChannel","channels","notifyGroups","groups","isDefaultUpdateServerURL","enableChangeWatcher","availableAppUpdates","missingAppUpdates","appStoreFailed","appStoreDisabled","isListFetched","hideMissingUpdates","hideAvailableUpdates","openedWhatsNew","openedUpdateChannelMenu","computed","newVersionAvailableString","t","noteDelayedStableString","replace","lastCheckedOnString","statusText","length","n","channelList","text","longtext","icon","IconStar","active","disabled","value","IconCloudCheckVariant","IconWrench","isNonDefaultChannel","nonDefaultIcons","daily","IconWeatherNight","git","IconSourceBranch","IconPencil","localizedChannelName","watch","map","group","OCP","AppConfig","setValue","JSON","stringify","axios","get","generateOcsUrl","newVersion","then","_ref","ocs","available","missing","catch","_ref2","response","appstore_disabled","beforeMount","loadState","lastChecked","changes","whatsNew","admin","concat","regular","mounted","searchGroup","methods","debounce","query","search","limit","offset","sort","a","b","displayname","localeCompare","err","error","clickUpdaterButton","generateUrl","_ref3","form","document","createElement","setAttribute","getRootUrl","hiddenField","appendChild","body","submit","channel","includes","changeReleaseChannel","post","_ref4","showSuccess","message","toggleHideMissingUpdates","toggleHideAvailableUpdates","options","styleTagTransform","setAttributes","insert","domAPI","insertStyleElement","locals","domProps","_l","app","index","key","appId","appName","class","hidden","scopedSlots","_u","fn","proxy","tag","model","callback","$$v","expression","Vue","mixin","vars","count","translate","textSingular","textPlural","translatePlural","el","render","h","Root","__webpack_module_cache__","__webpack_require__","moduleId","cachedModule","undefined","exports","loaded","__webpack_modules__","call","m","O","result","chunkIds","priority","notFulfilled","Infinity","i","fulfilled","j","Object","keys","every","splice","r","getter","__esModule","d","definition","o","defineProperty","enumerable","f","e","chunkId","Promise","all","reduce","promises","u","g","globalThis","Function","window","obj","prop","prototype","hasOwnProperty","l","url","done","script","needAttach","scripts","getElementsByTagName","s","getAttribute","charset","timeout","nc","src","onScriptComplete","prev","event","onerror","onload","clearTimeout","doneFns","parentNode","removeChild","forEach","setTimeout","bind","target","head","Symbol","toStringTag","nmd","paths","children","scriptUrl","importScripts","location","currentScript","tagName","toUpperCase","test","Error","p","baseURI","self","href","installedChunks","installedChunkData","promise","resolve","reject","errorType","realSrc","request","webpackJsonpCallback","parentChunkLoadingFunction","moreModules","runtime","some","chunkLoadingGlobal","__webpack_exports__"],"sourceRoot":""}
\ No newline at end of file
+{"version":3,"file":"updatenotification-updatenotification.js?v=a082c781f500cfa4d960","mappings":"uBAAIA,ECAAC,EACAC,E,gLCmBJ,MCpB8G,EDoB9G,CACEC,KAAM,kBACNC,MAAO,CAAC,SACRC,MAAO,CACLC,MAAO,CACLC,KAAMC,QAERC,UAAW,CACTF,KAAMC,OACNE,QAAS,gBAEXC,KAAM,CACJJ,KAAMK,OACNF,QAAS,M,eEff,SAXgB,OACd,ECRW,WAAkB,IAAIG,EAAIC,KAAKC,EAAGF,EAAIG,MAAMD,GAAG,OAAOA,EAAG,OAAOF,EAAII,GAAG,CAACC,YAAY,yCAAyCC,MAAM,CAAC,cAAcN,EAAIP,MAAQ,KAAO,OAAO,aAAaO,EAAIP,MAAM,KAAO,OAAOc,GAAG,CAAC,MAAQ,SAASC,GAAQ,OAAOR,EAAIS,MAAM,QAASD,EAAO,IAAI,OAAOR,EAAIU,QAAO,GAAO,CAACR,EAAG,MAAM,CAACG,YAAY,4BAA4BC,MAAM,CAAC,KAAON,EAAIJ,UAAU,MAAQI,EAAIF,KAAK,OAASE,EAAIF,KAAK,QAAU,cAAc,CAACI,EAAG,OAAO,CAACI,MAAM,CAAC,EAAI,+DAA+D,CAAEN,EAAS,MAAEE,EAAG,QAAQ,CAACF,EAAIW,GAAGX,EAAIY,GAAGZ,EAAIP,UAAUO,EAAIa,UACllB,EACsB,IDSpB,EACA,KACA,KACA,M,QEdkH,ECoBpH,CACEvB,KAAM,wBACNC,MAAO,CAAC,SACRC,MAAO,CACLC,MAAO,CACLC,KAAMC,QAERC,UAAW,CACTF,KAAMC,OACNE,QAAS,gBAEXC,KAAM,CACJJ,KAAMK,OACNF,QAAS,MCff,GAXgB,OACd,ECRW,WAAkB,IAAIG,EAAIC,KAAKC,EAAGF,EAAIG,MAAMD,GAAG,OAAOA,EAAG,OAAOF,EAAII,GAAG,CAACC,YAAY,gDAAgDC,MAAM,CAAC,cAAcN,EAAIP,MAAQ,KAAO,OAAO,aAAaO,EAAIP,MAAM,KAAO,OAAOc,GAAG,CAAC,MAAQ,SAASC,GAAQ,OAAOR,EAAIS,MAAM,QAASD,EAAO,IAAI,OAAOR,EAAIU,QAAO,GAAO,CAACR,EAAG,MAAM,CAACG,YAAY,4BAA4BC,MAAM,CAAC,KAAON,EAAIJ,UAAU,MAAQI,EAAIF,KAAK,OAASE,EAAIF,KAAK,QAAU,cAAc,CAACI,EAAG,OAAO,CAACI,MAAM,CAAC,EAAI,iSAAiS,CAAEN,EAAS,MAAEE,EAAG,QAAQ,CAACF,EAAIW,GAAGX,EAAIY,GAAGZ,EAAIP,UAAUO,EAAIa,UAC3zB,EACsB,IDSpB,EACA,KACA,KACA,M,uBEMF,MCpByG,EDoBzG,CACEvB,KAAM,aACNC,MAAO,CAAC,SACRC,MAAO,CACLC,MAAO,CACLC,KAAMC,QAERC,UAAW,CACTF,KAAMC,OACNE,QAAS,gBAEXC,KAAM,CACJJ,KAAMK,OACNF,QAAS,MEff,GAXgB,OACd,ECRW,WAAkB,IAAIG,EAAIC,KAAKC,EAAGF,EAAIG,MAAMD,GAAG,OAAOA,EAAG,OAAOF,EAAII,GAAG,CAACC,YAAY,oCAAoCC,MAAM,CAAC,cAAcN,EAAIP,MAAQ,KAAO,OAAO,aAAaO,EAAIP,MAAM,KAAO,OAAOc,GAAG,CAAC,MAAQ,SAASC,GAAQ,OAAOR,EAAIS,MAAM,QAASD,EAAO,IAAI,OAAOR,EAAIU,QAAO,GAAO,CAACR,EAAG,MAAM,CAACG,YAAY,4BAA4BC,MAAM,CAAC,KAAON,EAAIJ,UAAU,MAAQI,EAAIF,KAAK,OAASE,EAAIF,KAAK,QAAU,cAAc,CAACI,EAAG,OAAO,CAACI,MAAM,CAAC,EAAI,kUAAkU,CAAEN,EAAS,MAAEE,EAAG,QAAQ,CAACF,EAAIW,GAAGX,EAAIY,GAAGZ,EAAIP,UAAUO,EAAIa,UACh1B,EACsB,IDSpB,EACA,KACA,KACA,M,uBEMF,MCpB+G,EDoB/G,CACEvB,KAAM,mBACNC,MAAO,CAAC,SACRC,MAAO,CACLC,MAAO,CACLC,KAAMC,QAERC,UAAW,CACTF,KAAMC,OACNE,QAAS,gBAEXC,KAAM,CACJJ,KAAMK,OACNF,QAAS,MEff,GAXgB,OACd,ECRW,WAAkB,IAAIG,EAAIC,KAAKC,EAAGF,EAAIG,MAAMD,GAAG,OAAOA,EAAG,OAAOF,EAAII,GAAG,CAACC,YAAY,0CAA0CC,MAAM,CAAC,cAAcN,EAAIP,MAAQ,KAAO,OAAO,aAAaO,EAAIP,MAAM,KAAO,OAAOc,GAAG,CAAC,MAAQ,SAASC,GAAQ,OAAOR,EAAIS,MAAM,QAASD,EAAO,IAAI,OAAOR,EAAIU,QAAO,GAAO,CAACR,EAAG,MAAM,CAACG,YAAY,4BAA4BC,MAAM,CAAC,KAAON,EAAIJ,UAAU,MAAQI,EAAIF,KAAK,OAASE,EAAIF,KAAK,QAAU,cAAc,CAACI,EAAG,OAAO,CAACI,MAAM,CAAC,EAAI,wjBAAwjB,CAAEN,EAAS,MAAEE,EAAG,QAAQ,CAACF,EAAIW,GAAGX,EAAIY,GAAGZ,EAAIP,UAAUO,EAAIa,UAC5kC,EACsB,IDSpB,EACA,KACA,KACA,M,QEdqG,ECoBvG,CACEvB,KAAM,WACNC,MAAO,CAAC,SACRC,MAAO,CACLC,MAAO,CACLC,KAAMC,QAERC,UAAW,CACTF,KAAMC,OACNE,QAAS,gBAEXC,KAAM,CACJJ,KAAMK,OACNF,QAAS,MCff,GAXgB,OACd,ECRW,WAAkB,IAAIG,EAAIC,KAAKC,EAAGF,EAAIG,MAAMD,GAAG,OAAOA,EAAG,OAAOF,EAAII,GAAG,CAACC,YAAY,iCAAiCC,MAAM,CAAC,cAAcN,EAAIP,MAAQ,KAAO,OAAO,aAAaO,EAAIP,MAAM,KAAO,OAAOc,GAAG,CAAC,MAAQ,SAASC,GAAQ,OAAOR,EAAIS,MAAM,QAASD,EAAO,IAAI,OAAOR,EAAIU,QAAO,GAAO,CAACR,EAAG,MAAM,CAACG,YAAY,4BAA4BC,MAAM,CAAC,KAAON,EAAIJ,UAAU,MAAQI,EAAIF,KAAK,OAASE,EAAIF,KAAK,QAAU,cAAc,CAACI,EAAG,OAAO,CAACI,MAAM,CAAC,EAAI,yGAAyG,CAAEN,EAAS,MAAEE,EAAG,QAAQ,CAACF,EAAIW,GAAGX,EAAIY,GAAGZ,EAAIP,UAAUO,EAAIa,UACpnB,EACsB,IDSpB,EACA,KACA,KACA,M,QEd6G,ECoB/G,CACEvB,KAAM,mBACNC,MAAO,CAAC,SACRC,MAAO,CACLC,MAAO,CACLC,KAAMC,QAERC,UAAW,CACTF,KAAMC,OACNE,QAAS,gBAEXC,KAAM,CACJJ,KAAMK,OACNF,QAAS,MCff,GAXgB,OACd,ECRW,WAAkB,IAAIG,EAAIC,KAAKC,EAAGF,EAAIG,MAAMD,GAAG,OAAOA,EAAG,OAAOF,EAAII,GAAG,CAACC,YAAY,0CAA0CC,MAAM,CAAC,cAAcN,EAAIP,MAAQ,KAAO,OAAO,aAAaO,EAAIP,MAAM,KAAO,OAAOc,GAAG,CAAC,MAAQ,SAASC,GAAQ,OAAOR,EAAIS,MAAM,QAASD,EAAO,IAAI,OAAOR,EAAIU,QAAO,GAAO,CAACR,EAAG,MAAM,CAACG,YAAY,4BAA4BC,MAAM,CAAC,KAAON,EAAIJ,UAAU,MAAQI,EAAIF,KAAK,OAASE,EAAIF,KAAK,QAAU,cAAc,CAACI,EAAG,OAAO,CAACI,MAAM,CAAC,EAAI,6nBAA6nB,CAAEN,EAAS,MAAEE,EAAG,QAAQ,CAACF,EAAIW,GAAGX,EAAIY,GAAGZ,EAAIP,UAAUO,EAAIa,UACjpC,EACsB,IDSpB,EACA,KACA,KACA,M,QEduG,ECoBzG,CACEvB,KAAM,aACNC,MAAO,CAAC,SACRC,MAAO,CACLC,MAAO,CACLC,KAAMC,QAERC,UAAW,CACTF,KAAMC,OACNE,QAAS,gBAEXC,KAAM,CACJJ,KAAMK,OACNF,QAAS,MCff,GAXgB,OACd,ECRW,WAAkB,IAAIG,EAAIC,KAAKC,EAAGF,EAAIG,MAAMD,GAAG,OAAOA,EAAG,OAAOF,EAAII,GAAG,CAACC,YAAY,mCAAmCC,MAAM,CAAC,cAAcN,EAAIP,MAAQ,KAAO,OAAO,aAAaO,EAAIP,MAAM,KAAO,OAAOc,GAAG,CAAC,MAAQ,SAASC,GAAQ,OAAOR,EAAIS,MAAM,QAASD,EAAO,IAAI,OAAOR,EAAIU,QAAO,GAAO,CAACR,EAAG,MAAM,CAACG,YAAY,4BAA4BC,MAAM,CAAC,KAAON,EAAIJ,UAAU,MAAQI,EAAIF,KAAK,OAASE,EAAIF,KAAK,QAAU,cAAc,CAACI,EAAG,OAAO,CAACI,MAAM,CAAC,EAAI,oNAAoN,CAAEN,EAAS,MAAEE,EAAG,QAAQ,CAACF,EAAIW,GAAGX,EAAIY,GAAGZ,EAAIP,UAAUO,EAAIa,UACjuB,EACsB,IDSpB,EACA,KACA,KACA,M,gCE6KF,MAAAC,GAAAC,EAAAA,EAAAA,MACAC,OAAA,sBACAC,aACAC,QAEAC,EAAAC,OAAAC,GAAAC,MAAAH,YChM8L,EDkM9L,CACA7B,KAAA,qBACAiC,WAAA,CACAC,gBAAA,EACAC,SAAA,IACAC,WAAA,EACAC,UAAA,IACAC,eAAA,IACAC,gBAAA,IACAC,aAAA,IACAC,WAAA,IACAC,SAAA,UACAC,kBAAAA,EAAAA,GAGAC,KAAAA,KACA,CACAC,eAAA,EACAC,iBAAA,GACAC,gBAAA,GACAC,iBAAA,EACAC,mBAAA,EACAC,yBAAA,EACAC,gBAAA,EACAC,cAAA,EACAC,aAAA,GACAC,uBAAA,EACAC,sBAAA,EACAC,gBAAA,GACAC,aAAA,GACAC,aAAA,GACAC,eAAA,GACAC,SAAA,GACAC,aAAA,GACAC,OAAA,GACAC,0BAAA,EACAC,qBAAA,EAEAC,oBAAA,GACAC,kBAAA,GACAC,gBAAA,EACAC,kBAAA,EACAC,eAAA,EACAC,oBAAA,EACAC,sBAAA,EACAC,gBAAA,EACAC,yBAAA,IAIAC,SAAA,CACAC,yBAAAA,GACA,OAAAC,EAAA,wFACA9B,iBAAA,KAAAA,kBAEA,EAEA+B,wBAAAA,IACAD,EAAA,iRACAE,QAAA,0GAGAC,mBAAAA,GACA,OAAAH,EAAA,sEACA7B,gBAAA,KAAAA,iBAEA,EAEAiC,UAAAA,GACA,YAAAX,cAIA,KAAAD,iBACAQ,EAAA,6GAGA,KAAAT,eACAS,EAAA,sNAGA,SAAAV,kBAAAe,OACAL,EAAA,sHAAA/C,gBACAqD,EAAA,qBACA,8FACA,gGACA,KAAAhB,kBAAAe,OACA,CAAApD,gBAjBA+C,EAAA,6DAmBA,EAEAO,WAAAA,GACA,MAAAA,EAAA,GA6BA,GA3BAA,EAAAC,KAAA,CACAC,KAAAT,EAAA,mCACAU,SAAAV,EAAA,+IACA,IACAA,EAAA,sJAAAW,OAAA,mBACA,IACAX,EAAA,2GAAAY,WAAA,yBACAC,KAAAC,EACAC,OAAA,oBAAAhC,eACAiC,UAAA,KAAArC,qBACAsC,MAAA,eAGAV,EAAAC,KAAA,CACAC,KAAAT,EAAA,+BACAU,SAAAV,EAAA,yIACAa,KAAAK,EACAD,MAAA,WAGAV,EAAAC,KAAA,CACAC,KAAAT,EAAA,6BACAU,SAAAV,EAAA,8GACAa,KAAAM,EACAF,MAAA,SAGA,KAAAG,oBAAA,KAAArC,gBAAA,CACA,MAAAsC,EAAA,CACAC,MAAAC,EACAC,IAAAC,GAEAlB,EAAAC,KAAA,CACAC,KAAA,KAAA1B,eACA8B,KAAAQ,EAAA,KAAAtC,iBAAA2C,EAAAA,EACAT,MAAA,KAAAlC,gBAEA,CAEA,OAAAwB,CACA,EAEAoB,oBAAAA,GACA,YAAA5C,gBACA,iBACA,OAAAiB,EAAA,mCACA,aACA,OAAAA,EAAA,+BACA,WACA,OAAAA,EAAA,6BACA,QACA,YAAAjB,eAEA,GAGA6C,MAAA,CACA3C,YAAAA,GACA,SAAAG,oBAGA,YADA,KAAAA,qBAAA,GAIA,MAAAF,EAAA,KAAAD,aAAA4C,IAAAC,GACAA,EAAAC,IAGAC,IAAAC,UAAAC,SAAA,qCAAAC,KAAAC,UAAAlD,GACA,EACAR,qBAAAA,GACA,KAAAA,uBAIA2D,EAAAA,GAAAC,KAAAC,EAAAA,EAAAA,IAAA,uDACAC,WAAA,KAAAA,cACAC,KAAAC,IAAA,SAAA1E,GAAA0E,EACA,KAAArD,oBAAArB,EAAA2E,IAAA3E,KAAA4E,UACA,KAAAtD,kBAAAtB,EAAA2E,IAAA3E,KAAA6E,QACA,KAAApD,eAAA,EACA,KAAAF,gBAAA,IACAuD,MAAAC,IAAA,aAAAC,GAAAD,EACA,KAAA1D,oBAAA,GACA,KAAAC,kBAAA,GACA,KAAAE,iBAAAwD,EAAAhF,KAAA2E,IAAA3E,KAAAiF,kBACA,KAAAxD,eAAA,EACA,KAAAF,gBAAA,GAEA,GAEA2D,WAAAA,GAEA,MAAAlF,GAAAmF,EAAAA,EAAAA,GAAA,6BAEA,KAAAX,WAAAxE,EAAAwE,WACA,KAAAtE,iBAAAF,EAAAE,iBACA,KAAAC,gBAAAH,EAAAoF,YACA,KAAAhF,gBAAAJ,EAAAI,gBACA,KAAAC,kBAAAL,EAAAK,kBACA,KAAAC,wBAAAN,EAAAM,wBACA,KAAAC,eAAAP,EAAAO,eACA,KAAAE,aAAAT,EAAAS,aACA,KAAAC,sBAAAV,EAAAU,sBACA,KAAAE,gBAAAZ,EAAAY,gBACA,KAAAG,eAAAf,EAAAe,eACA,KAAAC,SAAAhB,EAAAgB,SACA,KAAAC,aAAAjB,EAAAiB,aACA,KAAAE,yBAAAnB,EAAAmB,yBACA,KAAAX,aAAAR,EAAAQ,aACA,KAAAG,qBAAAX,EAAAW,qBACAX,EAAAqF,SAAArF,EAAAqF,QAAAxE,eACA,KAAAA,aAAAb,EAAAqF,QAAAxE,cAEAb,EAAAqF,SAAArF,EAAAqF,QAAAC,WACAtF,EAAAqF,QAAAC,SAAAC,QACA,KAAAzE,aAAA,KAAAA,aAAA0E,OAAAxF,EAAAqF,QAAAC,SAAAC,QAEA,KAAAzE,aAAA,KAAAA,aAAA0E,OAAAxF,EAAAqF,QAAAC,SAAAG,SAEA,EAEAC,OAAAA,GACA,KAAAC,aACA,EAEAC,QAAA,CACAD,YAAAE,IAAA,eAAAC,GACA,KAAA7F,eAAA,EACA,IACA,MAAA+E,QAAAX,EAAAA,GAAAC,KAAAC,EAAAA,EAAAA,IAAA,yBACAwB,OAAAD,EACAE,MAAA,GACAC,OAAA,IAEA,KAAA/E,OAAA8D,EAAAhF,KAAA2E,IAAA3E,KAAAkB,OAAAgF,KAAA,SAAAC,EAAAC,GACA,OAAAD,EAAAE,YAAAC,cAAAF,EAAAC,YACA,EACA,OAAAE,GACA3H,EAAA4H,MAAA,yBAAAD,EACA,SACA,KAAAtG,eAAA,CACA,CACA,OAIAwG,kBAAAA,GACApC,EAAAA,GAAAC,KAAAoC,EAAAA,EAAAA,IAAA,yCACAjC,KAAAkC,IAAA,SAAA3G,GAAA2G,EAEA,MAAAC,EAAAC,SAAAC,cAAA,QACAF,EAAAG,aAAA,iBACAH,EAAAG,aAAA,UAAAC,EAAAA,EAAAA,MAAA,aAEA,MAAAC,EAAAJ,SAAAC,cAAA,SACAG,EAAAF,aAAA,iBACAE,EAAAF,aAAA,+BACAE,EAAAF,aAAA,QAAA/G,GAEA4G,EAAAM,YAAAD,GAEAJ,SAAAM,KAAAD,YAAAN,GACAA,EAAAQ,UAEA,EAEAhE,oBAAAiE,IACA,+BAAAC,SAAAD,GAGAE,oBAAAA,CAAAF,GACA,KAAAjE,oBAAAiE,KAIA,KAAAtG,eAAAsG,EAEAhD,EAAAA,GAAAmD,MAAAd,EAAAA,EAAAA,IAAA,qCACAW,QAAA,KAAAtG,iBACA0D,KAAAgD,IAAA,SAAAzH,GAAAyH,GACAC,EAAAA,EAAAA,IAAA1H,EAAAA,KAAA2H,WAGA,KAAA9F,yBAAA,EACA,EACA+F,wBAAAA,GACA,KAAAlG,oBAAA,KAAAA,kBACA,EACAmG,0BAAAA,GACA,KAAAlG,sBAAA,KAAAA,oBACA,I,uIEpdImG,GAAU,CAAC,EAEfA,GAAQC,kBAAoB,IAC5BD,GAAQE,cAAgB,IACxBF,GAAQG,OAAS,SAAc,KAAM,QACrCH,GAAQI,OAAS,IACjBJ,GAAQK,mBAAqB,IAEhB,IAAI,IAASL,IAKJ,KAAW,IAAQM,QAAS,IAAQA,O,gBCbtD,GAAU,CAAC,EAEf,GAAQL,kBAAoB,IAC5B,GAAQC,cAAgB,IACxB,GAAQC,OAAS,SAAc,KAAM,QACrC,GAAQC,OAAS,IACjB,GAAQC,mBAAqB,IAEhB,IAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OCJ1D,UAXgB,OACd,ECVW,WAAkB,IAAItK,EAAIC,KAAKC,EAAGF,EAAIG,MAAMD,GAAG,OAAOA,EAAG,oBAAoB,CAACI,MAAM,CAAC,GAAK,qBAAqB,KAAON,EAAIkE,EAAE,qBAAsB,YAAY,CAAChE,EAAG,MAAM,CAACG,YAAY,UAAU,CAAEL,EAAI4C,sBAAuB,CAAE5C,EAAI0C,aAAcxC,EAAG,aAAa,CAACI,MAAM,CAAC,KAAO,YAAY,CAACN,EAAIW,GAAG,aAAaX,EAAIY,GAAGZ,EAAIkE,EAAE,qBAAsB,kIAAkI,cAAclE,EAAIa,KAAKb,EAAIW,GAAG,KAAKT,EAAG,IAAI,CAACA,EAAG,OAAO,CAACqK,SAAS,CAAC,UAAYvK,EAAIY,GAAGZ,EAAIiE,8BAA8B/D,EAAG,MAAMF,EAAIW,GAAG,KAAOX,EAAI2D,cAAkE3D,EAAIa,KAAvDX,EAAG,OAAO,CAACG,YAAY,4BAAqCL,EAAIW,GAAG,KAAKT,EAAG,OAAO,CAACqK,SAAS,CAAC,UAAYvK,EAAIY,GAAGZ,EAAIsE,iBAAiBtE,EAAIW,GAAG,KAAMX,EAAIwD,kBAAkBe,OAAQ,CAACrE,EAAG,KAAK,CAACG,YAAY,YAAYE,GAAG,CAAC,MAAQP,EAAI8J,2BAA2B,CAAC9J,EAAIW,GAAG,eAAeX,EAAIY,GAAGZ,EAAIkE,EAAE,qBAAsB,oCAAoC,gBAAkBlE,EAAI4D,mBAAoE5D,EAAIa,KAApDX,EAAG,OAAO,CAACG,YAAY,yBAAkCL,EAAIW,GAAG,KAAMX,EAAI4D,mBAAoB1D,EAAG,OAAO,CAACG,YAAY,yBAAyBL,EAAIa,OAAOb,EAAIW,GAAG,KAAOX,EAAI4D,mBAAgS5D,EAAIa,KAAhRX,EAAG,KAAK,CAACG,YAAY,WAAWL,EAAIwK,GAAIxK,EAAIwD,kBAAmB,SAASiH,EAAIC,GAAO,OAAOxK,EAAG,KAAK,CAACyK,IAAID,GAAO,CAACxK,EAAG,IAAI,CAACI,MAAM,CAAC,KAAO,mCAAqCmK,EAAIG,MAAM,MAAQ5K,EAAIkE,EAAE,WAAY,mBAAmB,CAAClE,EAAIW,GAAGX,EAAIY,GAAG6J,EAAII,SAAS,SAAS,GAAG,IAAa7K,EAAIa,KAAKb,EAAIW,GAAG,KAAMX,EAAIuD,oBAAoBgB,OAAQ,CAACrE,EAAG,KAAK,CAACG,YAAY,YAAYE,GAAG,CAAC,MAAQP,EAAI+J,6BAA6B,CAAC/J,EAAIW,GAAG,eAAeX,EAAIY,GAAGZ,EAAIkE,EAAE,qBAAsB,iCAAiC,gBAAkBlE,EAAI6D,qBAAsE7D,EAAIa,KAApDX,EAAG,OAAO,CAACG,YAAY,yBAAkCL,EAAIW,GAAG,KAAMX,EAAI6D,qBAAsB3D,EAAG,OAAO,CAACG,YAAY,yBAAyBL,EAAIa,OAAOb,EAAIW,GAAG,KAAOX,EAAI6D,qBAAoS7D,EAAIa,KAAlRX,EAAG,KAAK,CAACG,YAAY,WAAWL,EAAIwK,GAAIxK,EAAIuD,oBAAqB,SAASkH,EAAIC,GAAO,OAAOxK,EAAG,KAAK,CAACyK,IAAID,GAAO,CAACxK,EAAG,IAAI,CAACI,MAAM,CAAC,KAAO,mCAAqCmK,EAAIG,MAAM,MAAQ5K,EAAIkE,EAAE,WAAY,mBAAmB,CAAClE,EAAIW,GAAGX,EAAIY,GAAG6J,EAAII,SAAS,SAAS,GAAG,IAAa7K,EAAIa,KAAKb,EAAIW,GAAG,MAAOX,EAAIwC,yBAA2BxC,EAAIyC,gBAAkBzC,EAAIuC,kBAAmB,CAACrC,EAAG,KAAK,CAACG,YAAY,WAAW,CAACL,EAAIW,GAAG,eAAeX,EAAIY,GAAGZ,EAAIkE,EAAE,qBAAsB,kIAAkI,iBAAiBlE,EAAIa,KAAKb,EAAIW,GAAG,KAAKT,EAAG,MAAM,CAAEF,EAAIyC,gBAAkBzC,EAAIuC,kBAAmBrC,EAAG,IAAI,CAACG,YAAY,iBAAiBC,MAAM,CAAC,KAAO,KAAKC,GAAG,CAAC,MAAQP,EAAI2I,qBAAqB,CAAC3I,EAAIW,GAAGX,EAAIY,GAAGZ,EAAIkE,EAAE,qBAAsB,oBAAoBlE,EAAIa,KAAKb,EAAIW,GAAG,KAAMX,EAAI2C,aAAczC,EAAG,IAAI,CAACG,YAAY,SAASyK,MAAM,CAAEC,QAAS/K,EAAIyC,gBAAiBnC,MAAM,CAAC,KAAON,EAAI2C,eAAe,CAAC3C,EAAIW,GAAGX,EAAIY,GAAGZ,EAAIkE,EAAE,qBAAsB,oBAAoBlE,EAAIa,KAAKb,EAAIW,GAAG,KAAMX,EAAIyC,iBAAmBzC,EAAIuC,kBAAmBrC,EAAG,OAAO,CAACF,EAAIW,GAAG,eAAeX,EAAIY,GAAGZ,EAAIkE,EAAE,qBAAsB,gKAAgK,gBAAgBlE,EAAIa,KAAKb,EAAIW,GAAG,KAAMX,EAAIgD,cAAgBhD,EAAI+C,aAAc7C,EAAG,YAAY,CAACI,MAAM,CAAC,cAAa,EAAK,YAAYN,EAAIkE,EAAE,qBAAsB,eAAgB,KAAO,YAAY8G,YAAYhL,EAAIiL,GAAG,CAAC,CAACN,IAAI,OAAOO,GAAG,WAAW,MAAO,CAAChL,EAAG,aAAa,CAACI,MAAM,CAAC,KAAO,MAAM,EAAE6K,OAAM,GAAM,CAACR,IAAI,UAAUO,GAAG,WAAW,MAAO,CAAClL,EAAIwK,GAAIxK,EAAIgD,aAAc,SAASuE,EAAQmD,GAAO,OAAOxK,EAAG,kBAAkB,CAACyK,IAAID,EAAMpK,MAAM,CAAC,KAAOiH,IAAU,GAAGvH,EAAIW,GAAG,KAAMX,EAAI+C,aAAc7C,EAAG,eAAe,CAACI,MAAM,CAAC,KAAON,EAAI+C,aAAa,oBAAoB,GAAG,OAAS,UAAUiI,YAAYhL,EAAIiL,GAAG,CAAC,CAACN,IAAI,OAAOO,GAAG,WAAW,MAAO,CAAChL,EAAG,WAAW,CAACI,MAAM,CAAC,KAAO,MAAM,EAAE6K,OAAM,IAAO,MAAK,EAAM,aAAa,CAACnL,EAAIW,GAAG,mBAAmBX,EAAIY,GAAGZ,EAAIkE,EAAE,qBAAsB,mBAAmB,sBAAsBlE,EAAIa,KAAK,EAAEsK,OAAM,IAAO,MAAK,EAAM,cAAcnL,EAAIa,MAAM,IAAMb,EAAIsC,gBAAqJ,CAACtC,EAAIW,GAAG,WAAWX,EAAIY,GAAGZ,EAAIkE,EAAE,qBAAsB,gCAAgC,YAAYhE,EAAG,IAAI,CAACG,YAAY,oBAAoBC,MAAM,CAAC,MAAQN,EAAIqE,oBAAoB,aAAarE,EAAIqE,oBAAoB,KAAO,mCAAmC,OAAS,aAA7Y,CAACrE,EAAIW,GAAG,WAAWX,EAAIY,GAAGZ,EAAIkE,EAAE,qBAAsB,mEAAmE,WAAiSlE,EAAIW,GAAG,KAAOX,EAAIqD,yBAAgPrD,EAAIa,KAA1N,CAACX,EAAG,IAAI,CAACG,YAAY,aAAa,CAACH,EAAG,KAAK,CAACF,EAAIW,GAAGX,EAAIY,GAAGZ,EAAIkE,EAAE,qBAAsB,qEAAqE,KAAKhE,EAAG,OAAO,CAACF,EAAIW,GAAGX,EAAIY,GAAGZ,EAAI8C,0BAAmC,GAAG9C,EAAIW,GAAG,KAAKT,EAAG,KAAK,CAACF,EAAIW,GAAGX,EAAIY,GAAGZ,EAAIkE,EAAE,qBAAsB,sBAAsBlE,EAAIW,GAAG,KAAKT,EAAG,IAAI,CAACG,YAAY,eAAe,CAACL,EAAIW,GAAG,SAASX,EAAIY,GAAGZ,EAAIkE,EAAE,qBAAsB,sLAAsL,UAAUlE,EAAIW,GAAG,KAAKT,EAAG,MAAM,CAACG,YAAY,2BAA2B,CAACH,EAAG,OAAO,CAACF,EAAIW,GAAGX,EAAIY,GAAGZ,EAAIkE,EAAE,qBAAsB,+BAA+BlE,EAAIW,GAAG,KAAKT,EAAG,YAAY,CAACI,MAAM,CAAC,cAAa,EAAK,YAAYN,EAAI6F,qBAAqB,KAAO,YAAYmF,YAAYhL,EAAIiL,GAAG,CAAC,CAACN,IAAI,OAAOO,GAAG,WAAW,MAAO,CAAChL,EAAG,kBAAkB,CAACI,MAAM,CAAC,KAAO,MAAM,EAAE6K,OAAM,GAAM,CAACR,IAAI,UAAUO,GAAG,WAAW,OAAOlL,EAAIwK,GAAIxK,EAAIyE,YAAa,SAAS8E,GAAS,OAAOrJ,EAAG,iBAAiB,CAACyK,IAAIpB,EAAQpE,MAAM7E,MAAM,CAAC,SAAWiJ,EAAQrE,SAAS,KAAOqE,EAAQ5E,KAAK,MAAQ4E,EAAQpE,MAAM,cAAcnF,EAAIiD,eAAe,KAAO,QAAQ,oBAAoB,IAAI1C,GAAG,CAAC,oBAAoBP,EAAIyJ,sBAAsBuB,YAAYhL,EAAIiL,GAAG,CAAC,CAACN,IAAI,OAAOO,GAAG,WAAW,MAAO,CAAChL,EAAGqJ,EAAQxE,KAAK,CAACqG,IAAI,YAAY9K,MAAM,CAAC,KAAO,MAAM,EAAE6K,OAAM,IAAO,MAAK,IAAO,CAACnL,EAAIW,GAAG,eAAeX,EAAIY,GAAG2I,EAAQ3E,UAAU,eAAe,EAAE,EAAEuG,OAAM,QAAW,GAAGnL,EAAIW,GAAG,KAAKT,EAAG,IAAI,CAACA,EAAG,KAAK,CAACF,EAAIW,GAAGX,EAAIY,GAAGZ,EAAIkE,EAAE,qBAAsB,uGAAuGhE,EAAG,MAAMF,EAAIW,GAAG,KAAKT,EAAG,KAAK,CAACqK,SAAS,CAAC,UAAYvK,EAAIY,GAAGZ,EAAImE,8BAA8BnE,EAAIW,GAAG,KAAKT,EAAG,WAAW,CAACI,MAAM,CAAC,GAAK,yCAAyC,cAAcN,EAAIkE,EAAE,qBAAsB,mEAAmE,QAAUlE,EAAIoD,OAAO,UAAW,EAAK,MAAQ,cAAc,QAAUpD,EAAImC,cAAc,mBAAkB,GAAO5B,GAAG,CAAC,OAASP,EAAI6H,aAAamD,YAAYhL,EAAIiL,GAAG,CAAC,CAACN,IAAI,aAAaO,GAAG,WAAW,MAAO,CAAClL,EAAIW,GAAG,WAAWX,EAAIY,GAAGZ,EAAIkE,EAAE,qBAAsB,cAAc,UAAU,EAAEiH,OAAM,KAAQE,MAAM,CAAClG,MAAOnF,EAAImD,aAAcmI,SAAS,SAAUC,GAAMvL,EAAImD,aAAaoI,CAAG,EAAEC,WAAW,kBAAkBxL,EAAIW,GAAG,KAAKT,EAAG,IAAI,CAAyB,UAAvBF,EAAIiD,gBAAqD,QAAvBjD,EAAIiD,eAA0B/C,EAAG,KAAK,CAACF,EAAIW,GAAGX,EAAIY,GAAGZ,EAAIkE,EAAE,qBAAsB,yDAAyDlE,EAAIa,KAAKb,EAAIW,GAAG,KAA6B,UAAvBX,EAAIiD,eAA4B/C,EAAG,KAAK,CAACF,EAAIW,GAAGX,EAAIY,GAAGZ,EAAIkE,EAAE,qBAAsB,0FAAkH,QAAvBlE,EAAIiD,eAA0B/C,EAAG,KAAK,CAACF,EAAIW,GAAGX,EAAIY,GAAGZ,EAAIkE,EAAE,qBAAsB,2EAA2ElE,EAAIa,QAAQ,EACh6O,EACsB,IDWpB,EACA,KACA,WACA,M,QEPF4K,EAAAA,GAAIC,MAAM,CACT5D,QAAS,CACR5D,EAACA,CAACuG,EAAK9F,EAAMgH,EAAMC,EAAO5B,KAClB6B,EAAAA,EAAAA,IAAUpB,EAAK9F,EAAMgH,EAAMC,EAAO5B,GAE1CxF,EAACA,CAACiG,EAAKqB,EAAcC,EAAYH,EAAOD,EAAM3B,KACtCgC,EAAAA,EAAAA,IAAgBvB,EAAKqB,EAAcC,EAAYH,EAAOD,EAAM3B,MAMtE,IAAIyB,EAAAA,GAAI,CACPQ,GAAI,sBACJC,OAAQC,GAAKA,EAAEC,K,sECpBZC,E,MAA0B,GAA4B,KAE1DA,EAAwB3H,KAAK,CAAC4H,EAAOrG,GAAI,iLAAkL,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,6EAA6E,MAAQ,GAAG,SAAW,mCAAmC,eAAiB,CAAC,gPAAgP,WAAa,MAE3oB,S,sECJIoG,E,MAA0B,GAA4B,KAE1DA,EAAwB3H,KAAK,CAAC4H,EAAOrG,GAAI,ozBAAqzB,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,6EAA6E,MAAQ,GAAG,SAAW,qMAAqM,eAAiB,CAAC,mnBAAmnB,WAAa,MAEnzD,S,GCNIsG,EAA2B,CAAC,EAGhC,SAASC,EAAoBC,GAE5B,IAAIC,EAAeH,EAAyBE,GAC5C,QAAqBE,IAAjBD,EACH,OAAOA,EAAaE,QAGrB,IAAIN,EAASC,EAAyBE,GAAY,CACjDxG,GAAIwG,EACJI,QAAQ,EACRD,QAAS,CAAC,GAUX,OANAE,EAAoBL,GAAUM,KAAKT,EAAOM,QAASN,EAAQA,EAAOM,QAASJ,GAG3EF,EAAOO,QAAS,EAGTP,EAAOM,OACf,CAGAJ,EAAoBQ,EAAIF,EvC5BpB3N,EAAW,GACfqN,EAAoBS,EAAI,CAACC,EAAQC,EAAUjC,EAAIkC,KAC9C,IAAGD,EAAH,CAMA,IAAIE,EAAeC,IACnB,IAASC,EAAI,EAAGA,EAAIpO,EAASoF,OAAQgJ,IAAK,CACrCJ,EAAWhO,EAASoO,GAAG,GACvBrC,EAAK/L,EAASoO,GAAG,GACjBH,EAAWjO,EAASoO,GAAG,GAE3B,IAJA,IAGIC,GAAY,EACPC,EAAI,EAAGA,EAAIN,EAAS5I,OAAQkJ,MACpB,EAAXL,GAAsBC,GAAgBD,IAAaM,OAAOC,KAAKnB,EAAoBS,GAAGW,MAAOjD,GAAS6B,EAAoBS,EAAEtC,GAAKwC,EAASM,KAC9IN,EAASU,OAAOJ,IAAK,IAErBD,GAAY,EACTJ,EAAWC,IAAcA,EAAeD,IAG7C,GAAGI,EAAW,CACbrO,EAAS0O,OAAON,IAAK,GACrB,IAAIO,EAAI5C,SACEyB,IAANmB,IAAiBZ,EAASY,EAC/B,CACD,CACA,OAAOZ,CArBP,CAJCE,EAAWA,GAAY,EACvB,IAAI,IAAIG,EAAIpO,EAASoF,OAAQgJ,EAAI,GAAKpO,EAASoO,EAAI,GAAG,GAAKH,EAAUG,IAAKpO,EAASoO,GAAKpO,EAASoO,EAAI,GACrGpO,EAASoO,GAAK,CAACJ,EAAUjC,EAAIkC,IwCJ/BZ,EAAoBhI,EAAK8H,IACxB,IAAIyB,EAASzB,GAAUA,EAAO0B,WAC7B,IAAO1B,EAAiB,QACxB,IAAM,EAEP,OADAE,EAAoByB,EAAEF,EAAQ,CAAE1F,EAAG0F,IAC5BA,GCLRvB,EAAoByB,EAAI,CAACrB,EAASsB,KACjC,IAAI,IAAIvD,KAAOuD,EACX1B,EAAoB2B,EAAED,EAAYvD,KAAS6B,EAAoB2B,EAAEvB,EAASjC,IAC5E+C,OAAOU,eAAexB,EAASjC,EAAK,CAAE0D,YAAY,EAAM7H,IAAK0H,EAAWvD,MCJ3E6B,EAAoB8B,EAAI,CAAC,EAGzB9B,EAAoB+B,EAAKC,GACjBC,QAAQC,IAAIhB,OAAOC,KAAKnB,EAAoB8B,GAAGK,OAAO,CAACC,EAAUjE,KACvE6B,EAAoB8B,EAAE3D,GAAK6D,EAASI,GAC7BA,GACL,KCNJpC,EAAoBqC,EAAKL,GAEZA,EAAU,IAAMA,EAAU,SAAW,CAAC,IAAM,uBAAuB,KAAO,uBAAuB,KAAO,uBAAuB,KAAO,uBAAuB,KAAO,wBAAwBA,GCHzMhC,EAAoBsC,EAAI,WACvB,GAA0B,iBAAfC,WAAyB,OAAOA,WAC3C,IACC,OAAO9O,MAAQ,IAAI+O,SAAS,cAAb,EAChB,CAAE,MAAOT,GACR,GAAsB,iBAAXnN,OAAqB,OAAOA,MACxC,CACA,CAPuB,GCAxBoL,EAAoB2B,EAAI,CAACc,EAAKC,IAAUxB,OAAOyB,UAAUC,eAAerC,KAAKkC,EAAKC,G5CA9E9P,EAAa,CAAC,EACdC,EAAoB,aAExBmN,EAAoB6C,EAAI,CAACC,EAAKC,EAAM5E,EAAK6D,KACxC,GAAGpP,EAAWkQ,GAAQlQ,EAAWkQ,GAAK5K,KAAK6K,OAA3C,CACA,IAAIC,EAAQC,EACZ,QAAW9C,IAARhC,EAEF,IADA,IAAI+E,EAAU3G,SAAS4G,qBAAqB,UACpCpC,EAAI,EAAGA,EAAImC,EAAQnL,OAAQgJ,IAAK,CACvC,IAAIqC,EAAIF,EAAQnC,GAChB,GAAGqC,EAAEC,aAAa,QAAUP,GAAOM,EAAEC,aAAa,iBAAmBxQ,EAAoBsL,EAAK,CAAE6E,EAASI,EAAG,KAAO,CACpH,CAEGJ,IACHC,GAAa,GACbD,EAASzG,SAASC,cAAc,WAEzB8G,QAAU,QACjBN,EAAOO,QAAU,IACbvD,EAAoBwD,IACvBR,EAAOvG,aAAa,QAASuD,EAAoBwD,IAElDR,EAAOvG,aAAa,eAAgB5J,EAAoBsL,GAExD6E,EAAOS,IAAMX,GAEdlQ,EAAWkQ,GAAO,CAACC,GACnB,IAAIW,EAAmB,CAACC,EAAMC,KAE7BZ,EAAOa,QAAUb,EAAOc,OAAS,KACjCC,aAAaR,GACb,IAAIS,EAAUpR,EAAWkQ,GAIzB,UAHOlQ,EAAWkQ,GAClBE,EAAOiB,YAAcjB,EAAOiB,WAAWC,YAAYlB,GACnDgB,GAAWA,EAAQG,QAASzF,GAAQA,EAAGkF,IACpCD,EAAM,OAAOA,EAAKC,IAElBL,EAAUa,WAAWV,EAAiBW,KAAK,UAAMlE,EAAW,CAAEjN,KAAM,UAAWoR,OAAQtB,IAAW,MACtGA,EAAOa,QAAUH,EAAiBW,KAAK,KAAMrB,EAAOa,SACpDb,EAAOc,OAASJ,EAAiBW,KAAK,KAAMrB,EAAOc,QACnDb,GAAc1G,SAASgI,KAAK3H,YAAYoG,EApCkB,G6CH3DhD,EAAoBsB,EAAKlB,IACH,oBAAXoE,QAA0BA,OAAOC,aAC1CvD,OAAOU,eAAexB,EAASoE,OAAOC,YAAa,CAAE9L,MAAO,WAE7DuI,OAAOU,eAAexB,EAAS,aAAc,CAAEzH,OAAO,KCLvDqH,EAAoB0E,IAAO5E,IAC1BA,EAAO6E,MAAQ,GACV7E,EAAO8E,WAAU9E,EAAO8E,SAAW,IACjC9E,GCHRE,EAAoBiB,EAAI,K,MCAxB,IAAI4D,EACA7E,EAAoBsC,EAAEwC,gBAAeD,EAAY7E,EAAoBsC,EAAEyC,SAAW,IACtF,IAAIxI,EAAWyD,EAAoBsC,EAAE/F,SACrC,IAAKsI,GAAatI,IACbA,EAASyI,eAAkE,WAAjDzI,EAASyI,cAAcC,QAAQC,gBAC5DL,EAAYtI,EAASyI,cAAcvB,MAC/BoB,GAAW,CACf,IAAI3B,EAAU3G,EAAS4G,qBAAqB,UAC5C,GAAGD,EAAQnL,OAEV,IADA,IAAIgJ,EAAImC,EAAQnL,OAAS,EAClBgJ,GAAK,KAAO8D,IAAc,aAAaM,KAAKN,KAAaA,EAAY3B,EAAQnC,KAAK0C,GAE3F,CAID,IAAKoB,EAAW,MAAM,IAAIO,MAAM,yDAChCP,EAAYA,EAAUjN,QAAQ,SAAU,IAAIA,QAAQ,OAAQ,IAAIA,QAAQ,QAAS,IAAIA,QAAQ,YAAa,KAC1GoI,EAAoBqF,EAAIR,C,WClBxB7E,EAAoBlE,EAAIS,SAAS+I,SAAWC,KAAKR,SAASS,KAK1D,IAAIC,EAAkB,CACrB,KAAM,GAGPzF,EAAoB8B,EAAEb,EAAI,CAACe,EAASI,KAElC,IAAIsD,EAAqB1F,EAAoB2B,EAAE8D,EAAiBzD,GAAWyD,EAAgBzD,QAAW7B,EACtG,GAA0B,IAAvBuF,EAGF,GAAGA,EACFtD,EAASlK,KAAKwN,EAAmB,QAC3B,CAGL,IAAIC,EAAU,IAAI1D,QAAQ,CAAC2D,EAASC,IAAYH,EAAqBD,EAAgBzD,GAAW,CAAC4D,EAASC,IAC1GzD,EAASlK,KAAKwN,EAAmB,GAAKC,GAGtC,IAAI7C,EAAM9C,EAAoBqF,EAAIrF,EAAoBqC,EAAEL,GAEpD9F,EAAQ,IAAIkJ,MAgBhBpF,EAAoB6C,EAAEC,EAfFc,IACnB,GAAG5D,EAAoB2B,EAAE8D,EAAiBzD,KAEf,KAD1B0D,EAAqBD,EAAgBzD,MACRyD,EAAgBzD,QAAW7B,GACrDuF,GAAoB,CACtB,IAAII,EAAYlC,IAAyB,SAAfA,EAAM1Q,KAAkB,UAAY0Q,EAAM1Q,MAChE6S,EAAUnC,GAASA,EAAMU,QAAUV,EAAMU,OAAOb,IACpDvH,EAAMmB,QAAU,iBAAmB2E,EAAU,cAAgB8D,EAAY,KAAOC,EAAU,IAC1F7J,EAAMpJ,KAAO,iBACboJ,EAAMhJ,KAAO4S,EACb5J,EAAM8J,QAAUD,EAChBL,EAAmB,GAAGxJ,EACvB,GAGuC,SAAW8F,EAASA,EAE/D,GAYHhC,EAAoBS,EAAEQ,EAAKe,GAA0C,IAA7ByD,EAAgBzD,GAGxD,IAAIiE,EAAuB,CAACC,EAA4BxQ,KACvD,IAKIuK,EAAU+B,EALVrB,EAAWjL,EAAK,GAChByQ,EAAczQ,EAAK,GACnB0Q,EAAU1Q,EAAK,GAGIqL,EAAI,EAC3B,GAAGJ,EAAS0F,KAAM5M,GAAgC,IAAxBgM,EAAgBhM,IAAa,CACtD,IAAIwG,KAAYkG,EACZnG,EAAoB2B,EAAEwE,EAAalG,KACrCD,EAAoBQ,EAAEP,GAAYkG,EAAYlG,IAGhD,GAAGmG,EAAS,IAAI1F,EAAS0F,EAAQpG,EAClC,CAEA,IADGkG,GAA4BA,EAA2BxQ,GACrDqL,EAAIJ,EAAS5I,OAAQgJ,IACzBiB,EAAUrB,EAASI,GAChBf,EAAoB2B,EAAE8D,EAAiBzD,IAAYyD,EAAgBzD,IACrEyD,EAAgBzD,GAAS,KAE1ByD,EAAgBzD,GAAW,EAE5B,OAAOhC,EAAoBS,EAAEC,IAG1B4F,EAAqBf,KAA4B,sBAAIA,KAA4B,uBAAK,GAC1Fe,EAAmBnC,QAAQ8B,EAAqB5B,KAAK,KAAM,IAC3DiC,EAAmBpO,KAAO+N,EAAqB5B,KAAK,KAAMiC,EAAmBpO,KAAKmM,KAAKiC,G,KCvFvFtG,EAAoBwD,QAAKrD,ECGzB,IAAIoG,EAAsBvG,EAAoBS,OAAEN,EAAW,CAAC,MAAO,IAAOH,EAAoB,QAC9FuG,EAAsBvG,EAAoBS,EAAE8F,E","sources":["webpack:///nextcloud/webpack/runtime/chunk loaded","webpack:///nextcloud/webpack/runtime/load script","webpack:///nextcloud/node_modules/vue-material-design-icons/ChevronDown.vue","webpack:///nextcloud/node_modules/vue-material-design-icons/ChevronDown.vue?vue&type=script&lang=js","webpack://nextcloud/./node_modules/vue-material-design-icons/ChevronDown.vue?e2b2","webpack:///nextcloud/node_modules/vue-material-design-icons/ChevronDown.vue?vue&type=template&id=ec7aad58","webpack:///nextcloud/node_modules/vue-material-design-icons/CloudCheckVariant.vue?vue&type=script&lang=js","webpack:///nextcloud/node_modules/vue-material-design-icons/CloudCheckVariant.vue","webpack://nextcloud/./node_modules/vue-material-design-icons/CloudCheckVariant.vue?336b","webpack:///nextcloud/node_modules/vue-material-design-icons/CloudCheckVariant.vue?vue&type=template&id=9de82aac","webpack:///nextcloud/node_modules/vue-material-design-icons/NewBox.vue","webpack:///nextcloud/node_modules/vue-material-design-icons/NewBox.vue?vue&type=script&lang=js","webpack://nextcloud/./node_modules/vue-material-design-icons/NewBox.vue?93b6","webpack:///nextcloud/node_modules/vue-material-design-icons/NewBox.vue?vue&type=template&id=3a60b4d6","webpack:///nextcloud/node_modules/vue-material-design-icons/SourceBranch.vue","webpack:///nextcloud/node_modules/vue-material-design-icons/SourceBranch.vue?vue&type=script&lang=js","webpack://nextcloud/./node_modules/vue-material-design-icons/SourceBranch.vue?e648","webpack:///nextcloud/node_modules/vue-material-design-icons/SourceBranch.vue?vue&type=template&id=7fa75530","webpack:///nextcloud/node_modules/vue-material-design-icons/Star.vue?vue&type=script&lang=js","webpack:///nextcloud/node_modules/vue-material-design-icons/Star.vue","webpack://nextcloud/./node_modules/vue-material-design-icons/Star.vue?35ed","webpack:///nextcloud/node_modules/vue-material-design-icons/Star.vue?vue&type=template&id=7a8a7db5","webpack:///nextcloud/node_modules/vue-material-design-icons/WeatherNight.vue?vue&type=script&lang=js","webpack:///nextcloud/node_modules/vue-material-design-icons/WeatherNight.vue","webpack://nextcloud/./node_modules/vue-material-design-icons/WeatherNight.vue?edd1","webpack:///nextcloud/node_modules/vue-material-design-icons/WeatherNight.vue?vue&type=template&id=7403c0ea","webpack:///nextcloud/node_modules/vue-material-design-icons/Wrench.vue?vue&type=script&lang=js","webpack:///nextcloud/node_modules/vue-material-design-icons/Wrench.vue","webpack://nextcloud/./node_modules/vue-material-design-icons/Wrench.vue?28a8","webpack:///nextcloud/node_modules/vue-material-design-icons/Wrench.vue?vue&type=template&id=09e8a45f","webpack:///nextcloud/apps/updatenotification/src/components/UpdateNotification.vue","webpack:///nextcloud/apps/updatenotification/src/components/UpdateNotification.vue?vue&type=script&lang=js","webpack://nextcloud/./apps/updatenotification/src/components/UpdateNotification.vue?a814","webpack://nextcloud/./apps/updatenotification/src/components/UpdateNotification.vue?0578","webpack://nextcloud/./apps/updatenotification/src/components/UpdateNotification.vue?1fb0","webpack://nextcloud/./apps/updatenotification/src/components/UpdateNotification.vue?707e","webpack:///nextcloud/apps/updatenotification/src/updatenotification.js","webpack:///nextcloud/apps/updatenotification/src/components/UpdateNotification.vue?vue&type=style&index=1&id=9866f40e&prod&lang=scss","webpack:///nextcloud/apps/updatenotification/src/components/UpdateNotification.vue?vue&type=style&index=0&id=9866f40e&prod&lang=scss&scoped=true","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 \n \n \n\n\n","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./ChevronDown.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./ChevronDown.vue?vue&type=script&lang=js\"","import { render, staticRenderFns } from \"./ChevronDown.vue?vue&type=template&id=ec7aad58\"\nimport script from \"./ChevronDown.vue?vue&type=script&lang=js\"\nexport * from \"./ChevronDown.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-down-icon\",attrs:{\"aria-hidden\":_vm.title ? null : 'true',\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M7.41,8.58L12,13.17L16.59,8.58L18,10L12,16L6,10L7.41,8.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!./CloudCheckVariant.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./CloudCheckVariant.vue?vue&type=script&lang=js\"","\n \n \n \n\n\n","import { render, staticRenderFns } from \"./CloudCheckVariant.vue?vue&type=template&id=9de82aac\"\nimport script from \"./CloudCheckVariant.vue?vue&type=script&lang=js\"\nexport * from \"./CloudCheckVariant.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 cloud-check-variant-icon\",attrs:{\"aria-hidden\":_vm.title ? null : 'true',\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M10.35 17L16 11.35L14.55 9.9L10.33 14.13L8.23 12.03L6.8 13.45M6.5 20Q4.22 20 2.61 18.43 1 16.85 1 14.58 1 12.63 2.17 11.1 3.35 9.57 5.25 9.15 5.88 6.85 7.75 5.43 9.63 4 12 4 14.93 4 16.96 6.04 19 8.07 19 11 20.73 11.2 21.86 12.5 23 13.78 23 15.5 23 17.38 21.69 18.69 20.38 20 18.5 20Z\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","\n \n \n \n\n\n","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./NewBox.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./NewBox.vue?vue&type=script&lang=js\"","import { render, staticRenderFns } from \"./NewBox.vue?vue&type=template&id=3a60b4d6\"\nimport script from \"./NewBox.vue?vue&type=script&lang=js\"\nexport * from \"./NewBox.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 new-box-icon\",attrs:{\"aria-hidden\":_vm.title ? null : 'true',\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M20,4C21.11,4 22,4.89 22,6V18C22,19.11 21.11,20 20,20H4C2.89,20 2,19.11 2,18V6C2,4.89 2.89,4 4,4H20M8.5,15V9H7.25V12.5L4.75,9H3.5V15H4.75V11.5L7.3,15H8.5M13.5,10.26V9H9.5V15H13.5V13.75H11V12.64H13.5V11.38H11V10.26H13.5M20.5,14V9H19.25V13.5H18.13V10H16.88V13.5H15.75V9H14.5V14A1,1 0 0,0 15.5,15H19.5A1,1 0 0,0 20.5,14Z\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","\n \n \n \n\n\n","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./SourceBranch.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./SourceBranch.vue?vue&type=script&lang=js\"","import { render, staticRenderFns } from \"./SourceBranch.vue?vue&type=template&id=7fa75530\"\nimport script from \"./SourceBranch.vue?vue&type=script&lang=js\"\nexport * from \"./SourceBranch.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 source-branch-icon\",attrs:{\"aria-hidden\":_vm.title ? null : 'true',\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M13,14C9.64,14 8.54,15.35 8.18,16.24C9.25,16.7 10,17.76 10,19A3,3 0 0,1 7,22A3,3 0 0,1 4,19C4,17.69 4.83,16.58 6,16.17V7.83C4.83,7.42 4,6.31 4,5A3,3 0 0,1 7,2A3,3 0 0,1 10,5C10,6.31 9.17,7.42 8,7.83V13.12C8.88,12.47 10.16,12 12,12C14.67,12 15.56,10.66 15.85,9.77C14.77,9.32 14,8.25 14,7A3,3 0 0,1 17,4A3,3 0 0,1 20,7C20,8.34 19.12,9.5 17.91,9.86C17.65,11.29 16.68,14 13,14M7,18A1,1 0 0,0 6,19A1,1 0 0,0 7,20A1,1 0 0,0 8,19A1,1 0 0,0 7,18M7,4A1,1 0 0,0 6,5A1,1 0 0,0 7,6A1,1 0 0,0 8,5A1,1 0 0,0 7,4M17,6A1,1 0 0,0 16,7A1,1 0 0,0 17,8A1,1 0 0,0 18,7A1,1 0 0,0 17,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!./Star.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./Star.vue?vue&type=script&lang=js\"","\n \n \n \n\n\n","import { render, staticRenderFns } from \"./Star.vue?vue&type=template&id=7a8a7db5\"\nimport script from \"./Star.vue?vue&type=script&lang=js\"\nexport * from \"./Star.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 star-icon\",attrs:{\"aria-hidden\":_vm.title ? null : 'true',\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M12,17.27L18.18,21L16.54,13.97L22,9.24L14.81,8.62L12,2L9.19,8.62L2,9.24L7.45,13.97L5.82,21L12,17.27Z\"}},[(_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!./WeatherNight.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./WeatherNight.vue?vue&type=script&lang=js\"","\n \n \n \n\n\n","import { render, staticRenderFns } from \"./WeatherNight.vue?vue&type=template&id=7403c0ea\"\nimport script from \"./WeatherNight.vue?vue&type=script&lang=js\"\nexport * from \"./WeatherNight.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 weather-night-icon\",attrs:{\"aria-hidden\":_vm.title ? null : 'true',\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M17.75,4.09L15.22,6.03L16.13,9.09L13.5,7.28L10.87,9.09L11.78,6.03L9.25,4.09L12.44,4L13.5,1L14.56,4L17.75,4.09M21.25,11L19.61,12.25L20.2,14.23L18.5,13.06L16.8,14.23L17.39,12.25L15.75,11L17.81,10.95L18.5,9L19.19,10.95L21.25,11M18.97,15.95C19.8,15.87 20.69,17.05 20.16,17.8C19.84,18.25 19.5,18.67 19.08,19.07C15.17,23 8.84,23 4.94,19.07C1.03,15.17 1.03,8.83 4.94,4.93C5.34,4.53 5.76,4.17 6.21,3.85C6.96,3.32 8.14,4.21 8.06,5.04C7.79,7.9 8.75,10.87 10.95,13.06C13.14,15.26 16.1,16.22 18.97,15.95M17.33,17.97C14.5,17.81 11.7,16.64 9.53,14.5C7.36,12.31 6.2,9.5 6.04,6.68C3.23,9.82 3.34,14.64 6.35,17.66C9.37,20.67 14.19,20.78 17.33,17.97Z\"}},[(_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!./Wrench.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./Wrench.vue?vue&type=script&lang=js\"","\n \n \n \n\n\n","import { render, staticRenderFns } from \"./Wrench.vue?vue&type=template&id=09e8a45f\"\nimport script from \"./Wrench.vue?vue&type=script&lang=js\"\nexport * from \"./Wrench.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 wrench-icon\",attrs:{\"aria-hidden\":_vm.title ? null : 'true',\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M22.7,19L13.6,9.9C14.5,7.6 14,4.9 12.1,3C10.1,1 7.1,0.6 4.7,1.7L9,6L6,9L1.6,4.7C0.4,7.1 0.9,10.1 2.9,12.1C4.8,14 7.5,14.5 9.8,13.6L18.9,22.7C19.3,23.1 19.9,23.1 20.3,22.7L22.6,20.4C23.1,20 23.1,19.3 22.7,19Z\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","\n\n\t\n\t\t
\n\t\t\t\n\t\t\t\t\n\t\t\t\t\t{{ t('updatenotification', 'The version you are running is not maintained anymore. Please make sure to update to a supported version as soon as possible.') }}\n\t\t\t\t\n\n\t\t\t\t
\n\t\t\t\t\t\t{{ t('updatenotification', 'Please note that the web updater is not recommended with more than 100 accounts! Please use the command line updater instead!') }}\n\t\t\t\t\t
\n\t\t\t\t\n\n\t\t\t\t
\n\t\t\t\t\t{{ t('updatenotification', 'Open updater') }}\n\t\t\t\t\t{{ t('updatenotification', 'Download now') }}\n\t\t\t\t\t\n\t\t\t\t\t\t{{ t('updatenotification', 'Web updater is disabled. Please use the command line updater or the appropriate update mechanism for your installation method (e.g. Docker pull) to update.') }}\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\t\n\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t{{ t('updatenotification', 'View changelog') }}\n\t\t\t\t\t\t\t\t\n\t\t\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\n\t\t\t\t\t\n\t\t\t\t
\n\t\t\t\n\t\t\t\n\t\t\t\t{{ t('updatenotification', 'The update check is not yet finished. Please refresh the page.') }}\n\t\t\t\n\t\t\t\n\t\t\t\t{{ t('updatenotification', 'Your version is up to date.') }}\n\t\t\t\t\n\t\t\t\n\n\t\t\t\n\t\t\t\t
\n\t\t\t\t\t{{ t('updatenotification', 'A non-default update server is in use to be checked for updates:') }} {{ updateServerURL }}\n\t\t\t\t
\n\t\t\t\n\t\t
\n\n\t\t
{{ t('updatenotification', 'Update channel') }}
\n\t\t
\n\t\t\t{{ t('updatenotification', 'Changing the update channel also affects the apps management page. E.g. after switching to the beta channel, beta app updates will be offered to you in the apps management page.') }}\n\t\t
\n\t\t\t{{ t('updatenotification', 'You can always update to a newer version. But you can never downgrade to a more stable version.') }} \n\t\t\t\n\t\t\t\n\t\t
\n\t\t\t{{ t('updatenotification', 'Only notifications for app updates are available.') }}\n\t\t\t{{ t('updatenotification', 'The selected update channel makes dedicated notifications for the server obsolete.') }}\n\t\t\t{{ t('updatenotification', 'The selected update channel does not support updates of the server.') }}\n\t\t
\n\t\n\n\n\n\n\n\n","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./UpdateNotification.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!./UpdateNotification.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!./UpdateNotification.vue?vue&type=style&index=0&id=9866f40e&prod&lang=scss&scoped=true\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\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!./UpdateNotification.vue?vue&type=style&index=0&id=9866f40e&prod&lang=scss&scoped=true\";\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!./UpdateNotification.vue?vue&type=style&index=1&id=9866f40e&prod&lang=scss\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\noptions.insert = insertFn.bind(null, \"head\");\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!./UpdateNotification.vue?vue&type=style&index=1&id=9866f40e&prod&lang=scss\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./UpdateNotification.vue?vue&type=template&id=9866f40e&scoped=true\"\nimport script from \"./UpdateNotification.vue?vue&type=script&lang=js\"\nexport * from \"./UpdateNotification.vue?vue&type=script&lang=js\"\nimport style0 from \"./UpdateNotification.vue?vue&type=style&index=0&id=9866f40e&prod&lang=scss&scoped=true\"\nimport style1 from \"./UpdateNotification.vue?vue&type=style&index=1&id=9866f40e&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 \"9866f40e\",\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('NcSettingsSection',{attrs:{\"id\":\"updatenotification\",\"name\":_vm.t('updatenotification', 'Update')}},[_c('div',{staticClass:\"update\"},[(_vm.isNewVersionAvailable)?[(_vm.versionIsEol)?_c('NcNoteCard',{attrs:{\"type\":\"warning\"}},[_vm._v(\"\\n\\t\\t\\t\\t\"+_vm._s(_vm.t('updatenotification', 'The version you are running is not maintained anymore. Please make sure to update to a supported version as soon as possible.'))+\"\\n\\t\\t\\t\")]):_vm._e(),_vm._v(\" \"),_c('p',[_c('span',{domProps:{\"innerHTML\":_vm._s(_vm.newVersionAvailableString)}}),_c('br'),_vm._v(\" \"),(!_vm.isListFetched)?_c('span',{staticClass:\"icon icon-loading-small\"}):_vm._e(),_vm._v(\" \"),_c('span',{domProps:{\"innerHTML\":_vm._s(_vm.statusText)}})]),_vm._v(\" \"),(_vm.missingAppUpdates.length)?[_c('h3',{staticClass:\"clickable\",on:{\"click\":_vm.toggleHideMissingUpdates}},[_vm._v(\"\\n\\t\\t\\t\\t\\t\"+_vm._s(_vm.t('updatenotification', 'Apps missing compatible version'))+\"\\n\\t\\t\\t\\t\\t\"),(!_vm.hideMissingUpdates)?_c('span',{staticClass:\"icon icon-triangle-n\"}):_vm._e(),_vm._v(\" \"),(_vm.hideMissingUpdates)?_c('span',{staticClass:\"icon icon-triangle-s\"}):_vm._e()]),_vm._v(\" \"),(!_vm.hideMissingUpdates)?_c('ul',{staticClass:\"applist\"},_vm._l((_vm.missingAppUpdates),function(app,index){return _c('li',{key:index},[_c('a',{attrs:{\"href\":'https://apps.nextcloud.com/apps/' + app.appId,\"title\":_vm.t('settings', 'View in store')}},[_vm._v(_vm._s(app.appName)+\" ↗\")])])}),0):_vm._e()]:_vm._e(),_vm._v(\" \"),(_vm.availableAppUpdates.length)?[_c('h3',{staticClass:\"clickable\",on:{\"click\":_vm.toggleHideAvailableUpdates}},[_vm._v(\"\\n\\t\\t\\t\\t\\t\"+_vm._s(_vm.t('updatenotification', 'Apps with compatible version'))+\"\\n\\t\\t\\t\\t\\t\"),(!_vm.hideAvailableUpdates)?_c('span',{staticClass:\"icon icon-triangle-n\"}):_vm._e(),_vm._v(\" \"),(_vm.hideAvailableUpdates)?_c('span',{staticClass:\"icon icon-triangle-s\"}):_vm._e()]),_vm._v(\" \"),(!_vm.hideAvailableUpdates)?_c('ul',{staticClass:\"applist\"},_vm._l((_vm.availableAppUpdates),function(app,index){return _c('li',{key:index},[_c('a',{attrs:{\"href\":'https://apps.nextcloud.com/apps/' + app.appId,\"title\":_vm.t('settings', 'View in store')}},[_vm._v(_vm._s(app.appName)+\" ↗\")])])}),0):_vm._e()]:_vm._e(),_vm._v(\" \"),(!_vm.isWebUpdaterRecommended && _vm.updaterEnabled && _vm.webUpdaterEnabled)?[_c('h3',{staticClass:\"warning\"},[_vm._v(\"\\n\\t\\t\\t\\t\\t\"+_vm._s(_vm.t('updatenotification', 'Please note that the web updater is not recommended with more than 100 accounts! Please use the command line updater instead!'))+\"\\n\\t\\t\\t\\t\")])]:_vm._e(),_vm._v(\" \"),_c('div',[(_vm.updaterEnabled && _vm.webUpdaterEnabled)?_c('a',{staticClass:\"button primary\",attrs:{\"href\":\"#\"},on:{\"click\":_vm.clickUpdaterButton}},[_vm._v(_vm._s(_vm.t('updatenotification', 'Open updater')))]):_vm._e(),_vm._v(\" \"),(_vm.downloadLink)?_c('a',{staticClass:\"button\",class:{ hidden: !_vm.updaterEnabled },attrs:{\"href\":_vm.downloadLink}},[_vm._v(_vm._s(_vm.t('updatenotification', 'Download now')))]):_vm._e(),_vm._v(\" \"),(_vm.updaterEnabled && !_vm.webUpdaterEnabled)?_c('span',[_vm._v(\"\\n\\t\\t\\t\\t\\t\"+_vm._s(_vm.t('updatenotification', 'Web updater is disabled. Please use the command line updater or the appropriate update mechanism for your installation method (e.g. Docker pull) to update.'))+\"\\n\\t\\t\\t\\t\")]):_vm._e(),_vm._v(\" \"),(_vm.whatsNewData || _vm.changelogURL)?_c('NcActions',{attrs:{\"force-menu\":true,\"menu-name\":_vm.t('updatenotification', 'What\\'s new?'),\"type\":\"tertiary\"},scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [_c('IconNewBox',{attrs:{\"size\":20}})]},proxy:true},{key:\"default\",fn:function(){return [_vm._l((_vm.whatsNewData),function(changes,index){return _c('NcActionCaption',{key:index,attrs:{\"name\":changes}})}),_vm._v(\" \"),(_vm.changelogURL)?_c('NcActionLink',{attrs:{\"href\":_vm.changelogURL,\"close-after-click\":\"\",\"target\":\"_blank\"},scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [_c('IconLink',{attrs:{\"size\":20}})]},proxy:true}],null,false,3963853667)},[_vm._v(\"\\n\\t\\t\\t\\t\\t\\t\\t\"+_vm._s(_vm.t('updatenotification', 'View changelog'))+\"\\n\\t\\t\\t\\t\\t\\t\\t\")]):_vm._e()]},proxy:true}],null,false,1184001031)}):_vm._e()],1)]:(!_vm.isUpdateChecked)?[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_vm.t('updatenotification', 'The update check is not yet finished. Please refresh the page.'))+\"\\n\\t\\t\")]:[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_vm.t('updatenotification', 'Your version is up to date.'))+\"\\n\\t\\t\\t\"),_c('a',{staticClass:\"icon-info details\",attrs:{\"title\":_vm.lastCheckedOnString,\"aria-label\":_vm.lastCheckedOnString,\"href\":\"https://nextcloud.com/changelog/\",\"target\":\"_blank\"}})],_vm._v(\" \"),(!_vm.isDefaultUpdateServerURL)?[_c('p',{staticClass:\"topMargin\"},[_c('em',[_vm._v(_vm._s(_vm.t('updatenotification', 'A non-default update server is in use to be checked for updates:'))+\" \"),_c('code',[_vm._v(_vm._s(_vm.updateServerURL))])])])]:_vm._e()],2),_vm._v(\" \"),_c('h3',[_vm._v(_vm._s(_vm.t('updatenotification', 'Update channel')))]),_vm._v(\" \"),_c('p',{staticClass:\"inlineblock\"},[_vm._v(\"\\n\\t\\t\"+_vm._s(_vm.t('updatenotification', 'Changing the update channel also affects the apps management page. E.g. after switching to the beta channel, beta app updates will be offered to you in the apps management page.'))+\"\\n\\t\")]),_vm._v(\" \"),_c('div',{staticClass:\"update-channel-selector\"},[_c('span',[_vm._v(_vm._s(_vm.t('updatenotification', 'Current update channel:')))]),_vm._v(\" \"),_c('NcActions',{attrs:{\"force-menu\":true,\"menu-name\":_vm.localizedChannelName,\"type\":\"tertiary\"},scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [_c('IconChevronDown',{attrs:{\"size\":20}})]},proxy:true},{key:\"default\",fn:function(){return _vm._l((_vm.channelList),function(channel){return _c('NcActionButton',{key:channel.value,attrs:{\"disabled\":channel.disabled,\"name\":channel.text,\"value\":channel.value,\"model-value\":_vm.currentChannel,\"type\":\"radio\",\"close-after-click\":\"\"},on:{\"update:modelValue\":_vm.changeReleaseChannel},scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [_c(channel.icon,{tag:\"component\",attrs:{\"size\":20}})]},proxy:true}],null,true)},[_vm._v(\"\\n\\t\\t\\t\\t\\t\"+_vm._s(channel.longtext)+\"\\n\\t\\t\\t\\t\")])})},proxy:true}])})],1),_vm._v(\" \"),_c('p',[_c('em',[_vm._v(_vm._s(_vm.t('updatenotification', 'You can always update to a newer version. But you can never downgrade to a more stable version.')))]),_c('br'),_vm._v(\" \"),_c('em',{domProps:{\"innerHTML\":_vm._s(_vm.noteDelayedStableString)}})]),_vm._v(\" \"),_c('NcSelect',{attrs:{\"id\":\"notify-members-settings-select-wrapper\",\"input-label\":_vm.t('updatenotification', 'Notify members of the following groups about available updates:'),\"options\":_vm.groups,\"multiple\":true,\"label\":\"displayname\",\"loading\":_vm.loadingGroups,\"close-on-select\":false},on:{\"search\":_vm.searchGroup},scopedSlots:_vm._u([{key:\"no-options\",fn:function(){return [_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_vm.t('updatenotification', 'No groups'))+\"\\n\\t\\t\")]},proxy:true}]),model:{value:(_vm.notifyGroups),callback:function ($$v) {_vm.notifyGroups=$$v},expression:\"notifyGroups\"}}),_vm._v(\" \"),_c('p',[(_vm.currentChannel === 'daily' || _vm.currentChannel === 'git')?_c('em',[_vm._v(_vm._s(_vm.t('updatenotification', 'Only notifications for app updates are available.')))]):_vm._e(),_vm._v(\" \"),(_vm.currentChannel === 'daily')?_c('em',[_vm._v(_vm._s(_vm.t('updatenotification', 'The selected update channel makes dedicated notifications for the server obsolete.')))]):(_vm.currentChannel === 'git')?_c('em',[_vm._v(_vm._s(_vm.t('updatenotification', 'The selected update channel does not support updates of the server.')))]):_vm._e()])],1)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","/**\n * SPDX-FileCopyrightText: 2018 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\nimport { translate, translatePlural } from '@nextcloud/l10n'\n\nimport Vue from 'vue'\nimport Root from './components/UpdateNotification.vue'\n\nVue.mixin({\n\tmethods: {\n\t\tt(app, text, vars, count, options) {\n\t\t\treturn translate(app, text, vars, count, options)\n\t\t},\n\t\tn(app, textSingular, textPlural, count, vars, options) {\n\t\t\treturn translatePlural(app, textSingular, textPlural, count, vars, options)\n\t\t},\n\t},\n})\n\n// eslint-disable-next-line no-new\nnew Vue({\n\tel: '#updatenotification',\n\trender: h => h(Root),\n})\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, `#updatenotification #notify-members-settings-select-wrapper{width:fit-content}#updatenotification #notify-members-settings-select-wrapper .vs__dropdown-toggle{min-width:100%}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/updatenotification/src/components/UpdateNotification.vue\"],\"names\":[],\"mappings\":\"AAGC,4DACC,iBAAA,CAEA,iFACC,cAAA\",\"sourcesContent\":[\"\\n#updatenotification {\\n\\t/* override NcSelect styling so that label can have correct width */\\n\\t#notify-members-settings-select-wrapper {\\n\\t\\twidth: fit-content;\\n\\n\\t\\t.vs__dropdown-toggle {\\n\\t\\t\\tmin-width: 100%;\\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, `#updatenotification>*[data-v-9866f40e]{max-width:900px}#updatenotification .topMargin[data-v-9866f40e]{margin-top:15px}#updatenotification div.update[data-v-9866f40e],#updatenotification p[data-v-9866f40e]:not(.inlineblock){margin-bottom:25px}#updatenotification h2.inlineblock[data-v-9866f40e]{margin-top:25px}#updatenotification h3.clickable[data-v-9866f40e]{cursor:pointer}#updatenotification h3.clickable .icon[data-v-9866f40e]{cursor:pointer}#updatenotification .update-channel-selector[data-v-9866f40e]{display:flex;align-items:center;gap:12px}#updatenotification .icon[data-v-9866f40e]{display:inline-block;margin-bottom:-3px}#updatenotification .icon-triangle-s[data-v-9866f40e],#updatenotification .icon-triangle-n[data-v-9866f40e]{opacity:.5}#updatenotification .applist[data-v-9866f40e]{margin-bottom:25px}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/updatenotification/src/components/UpdateNotification.vue\"],\"names\":[],\"mappings\":\"AAEC,uCACC,eAAA,CAGD,gDACC,eAAA,CAGD,yGAEC,kBAAA,CAED,oDACC,eAAA,CAGA,kDACC,cAAA,CACA,wDACC,cAAA,CAIH,8DACC,YAAA,CACA,kBAAA,CACA,QAAA,CAED,2CACC,oBAAA,CACA,kBAAA,CAED,4GACC,UAAA,CAED,8CACC,kBAAA\",\"sourcesContent\":[\"\\n#updatenotification {\\n\\t& > * {\\n\\t\\tmax-width: 900px;\\n\\t}\\n\\n\\t.topMargin {\\n\\t\\tmargin-top: 15px;\\n\\t}\\n\\n\\tdiv.update,\\n\\tp:not(.inlineblock) {\\n\\t\\tmargin-bottom: 25px;\\n\\t}\\n\\th2.inlineblock {\\n\\t\\tmargin-top: 25px;\\n\\t}\\n\\th3 {\\n\\t\\t&.clickable {\\n\\t\\t\\tcursor: pointer;\\n\\t\\t\\t.icon {\\n\\t\\t\\t\\tcursor: pointer;\\n\\t\\t\\t}\\n\\t\\t}\\n\\t}\\n\\t.update-channel-selector {\\n\\t\\tdisplay: flex;\\n\\t\\talign-items: center;\\n\\t\\tgap: 12px;\\n\\t}\\n\\t.icon {\\n\\t\\tdisplay: inline-block;\\n\\t\\tmargin-bottom: -3px;\\n\\t}\\n\\t.icon-triangle-s, .icon-triangle-n {\\n\\t\\topacity: 0.5;\\n\\t}\\n\\t.applist {\\n\\t\\tmargin-bottom: 25px;\\n\\t}\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\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=\" + {\"640\":\"d3d98600d88fd55c7b27\",\"5771\":\"d141d1ad8187d99738b9\",\"5810\":\"fc51f8aa95a9854d22fd\",\"7471\":\"6423b9b898ffefeb7d1d\",\"8474\":\"d060bb2e97b1499bd6b0\"}[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 = 8604;","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 && document.currentScript.tagName.toUpperCase() === 'SCRIPT')\n\t\tscriptUrl = document.currentScript.src;\n\tif (!scriptUrl) {\n\t\tvar scripts = document.getElementsByTagName(\"script\");\n\t\tif(scripts.length) {\n\t\t\tvar i = scripts.length - 1;\n\t\t\twhile (i > -1 && (!scriptUrl || !/^http(s?):/.test(scriptUrl))) scriptUrl = scripts[i--].src;\n\t\t}\n\t}\n}\n// When supporting browsers where an automatic publicPath is not supported you must specify an output.publicPath manually via configuration\n// or pass an empty string (\"\") and set the __webpack_public_path__ variable from your code to use your own logic.\nif (!scriptUrl) throw new Error(\"Automatic publicPath is not supported in this browser\");\nscriptUrl = scriptUrl.replace(/^blob:/, \"\").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\t8604: 0\n};\n\n__webpack_require__.f.j = (chunkId, promises) => {\n\t\t// JSONP chunk loading for javascript\n\t\tvar installedChunkData = __webpack_require__.o(installedChunks, chunkId) ? installedChunks[chunkId] : undefined;\n\t\tif(installedChunkData !== 0) { // 0 means \"already installed\".\n\n\t\t\t// a Promise means \"currently loading\".\n\t\t\tif(installedChunkData) {\n\t\t\t\tpromises.push(installedChunkData[2]);\n\t\t\t} else {\n\t\t\t\tif(true) { // all chunks have JS\n\t\t\t\t\t// setup Promise in chunk cache\n\t\t\t\t\tvar promise = new Promise((resolve, reject) => (installedChunkData = installedChunks[chunkId] = [resolve, reject]));\n\t\t\t\t\tpromises.push(installedChunkData[2] = promise);\n\n\t\t\t\t\t// start chunk loading\n\t\t\t\t\tvar url = __webpack_require__.p + __webpack_require__.u(chunkId);\n\t\t\t\t\t// create error before stack unwound to get useful stacktrace later\n\t\t\t\t\tvar error = new Error();\n\t\t\t\t\tvar loadingEnded = (event) => {\n\t\t\t\t\t\tif(__webpack_require__.o(installedChunks, chunkId)) {\n\t\t\t\t\t\t\tinstalledChunkData = installedChunks[chunkId];\n\t\t\t\t\t\t\tif(installedChunkData !== 0) installedChunks[chunkId] = undefined;\n\t\t\t\t\t\t\tif(installedChunkData) {\n\t\t\t\t\t\t\t\tvar errorType = event && (event.type === 'load' ? 'missing' : event.type);\n\t\t\t\t\t\t\t\tvar realSrc = event && event.target && event.target.src;\n\t\t\t\t\t\t\t\terror.message = 'Loading chunk ' + chunkId + ' failed.\\n(' + errorType + ': ' + realSrc + ')';\n\t\t\t\t\t\t\t\terror.name = 'ChunkLoadError';\n\t\t\t\t\t\t\t\terror.type = errorType;\n\t\t\t\t\t\t\t\terror.request = realSrc;\n\t\t\t\t\t\t\t\tinstalledChunkData[1](error);\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\t\t\t\t\t};\n\t\t\t\t\t__webpack_require__.l(url, loadingEnded, \"chunk-\" + chunkId, chunkId);\n\t\t\t\t}\n\t\t\t}\n\t\t}\n};\n\n// no prefetching\n\n// no preloaded\n\n// no HMR\n\n// no HMR manifest\n\n__webpack_require__.O.j = (chunkId) => (installedChunks[chunkId] === 0);\n\n// install a JSONP callback for chunk loading\nvar webpackJsonpCallback = (parentChunkLoadingFunction, data) => {\n\tvar chunkIds = data[0];\n\tvar moreModules = data[1];\n\tvar runtime = data[2];\n\t// add \"moreModules\" to the modules object,\n\t// then flag all \"chunkIds\" as loaded and fire callback\n\tvar moduleId, chunkId, i = 0;\n\tif(chunkIds.some((id) => (installedChunks[id] !== 0))) {\n\t\tfor(moduleId in moreModules) {\n\t\t\tif(__webpack_require__.o(moreModules, moduleId)) {\n\t\t\t\t__webpack_require__.m[moduleId] = moreModules[moduleId];\n\t\t\t}\n\t\t}\n\t\tif(runtime) var result = runtime(__webpack_require__);\n\t}\n\tif(parentChunkLoadingFunction) parentChunkLoadingFunction(data);\n\tfor(;i < chunkIds.length; i++) {\n\t\tchunkId = chunkIds[i];\n\t\tif(__webpack_require__.o(installedChunks, chunkId) && installedChunks[chunkId]) {\n\t\t\tinstalledChunks[chunkId][0]();\n\t\t}\n\t\tinstalledChunks[chunkId] = 0;\n\t}\n\treturn __webpack_require__.O(result);\n}\n\nvar chunkLoadingGlobal = self[\"webpackChunknextcloud\"] = self[\"webpackChunknextcloud\"] || [];\nchunkLoadingGlobal.forEach(webpackJsonpCallback.bind(null, 0));\nchunkLoadingGlobal.push = webpackJsonpCallback.bind(null, chunkLoadingGlobal.push.bind(chunkLoadingGlobal));","__webpack_require__.nc = undefined;","// startup\n// Load entry module and return exports\n// This entry module depends on other loaded chunks and execution need to be delayed\nvar __webpack_exports__ = __webpack_require__.O(undefined, [4208], () => (__webpack_require__(49278)))\n__webpack_exports__ = __webpack_require__.O(__webpack_exports__);\n"],"names":["deferred","inProgress","dataWebpackPrefix","name","emits","props","title","type","String","fillColor","default","size","Number","_vm","this","_c","_self","_b","staticClass","attrs","on","$event","$emit","$attrs","_v","_s","_e","logger","getLoggerBuilder","setApp","detectUser","build","productName","window","OC","theme","components","IconChevronDown","IconLink","IconNewBox","NcActions","NcActionButton","NcActionCaption","NcActionLink","NcNoteCard","NcSelect","NcSettingsSection","data","loadingGroups","newVersionString","lastCheckedDate","isUpdateChecked","webUpdaterEnabled","isWebUpdaterRecommended","updaterEnabled","versionIsEol","downloadLink","isNewVersionAvailable","hasValidSubscription","updateServerURL","changelogURL","whatsNewData","currentChannel","channels","notifyGroups","groups","isDefaultUpdateServerURL","enableChangeWatcher","availableAppUpdates","missingAppUpdates","appStoreFailed","appStoreDisabled","isListFetched","hideMissingUpdates","hideAvailableUpdates","openedWhatsNew","openedUpdateChannelMenu","computed","newVersionAvailableString","t","noteDelayedStableString","replace","lastCheckedOnString","statusText","length","n","channelList","push","text","longtext","vendor","enterprise","icon","IconStar","active","disabled","value","IconCloudCheckVariant","IconWrench","isNonDefaultChannel","nonDefaultIcons","daily","IconWeatherNight","git","IconSourceBranch","IconPencil","localizedChannelName","watch","map","group","id","OCP","AppConfig","setValue","JSON","stringify","axios","get","generateOcsUrl","newVersion","then","_ref","ocs","available","missing","catch","_ref2","response","appstore_disabled","beforeMount","loadState","lastChecked","changes","whatsNew","admin","concat","regular","mounted","searchGroup","methods","debounce","query","search","limit","offset","sort","a","b","displayname","localeCompare","err","error","clickUpdaterButton","generateUrl","_ref3","form","document","createElement","setAttribute","getRootUrl","hiddenField","appendChild","body","submit","channel","includes","changeReleaseChannel","post","_ref4","showSuccess","message","toggleHideMissingUpdates","toggleHideAvailableUpdates","options","styleTagTransform","setAttributes","insert","domAPI","insertStyleElement","locals","domProps","_l","app","index","key","appId","appName","class","hidden","scopedSlots","_u","fn","proxy","tag","model","callback","$$v","expression","Vue","mixin","vars","count","translate","textSingular","textPlural","translatePlural","el","render","h","Root","___CSS_LOADER_EXPORT___","module","__webpack_module_cache__","__webpack_require__","moduleId","cachedModule","undefined","exports","loaded","__webpack_modules__","call","m","O","result","chunkIds","priority","notFulfilled","Infinity","i","fulfilled","j","Object","keys","every","splice","r","getter","__esModule","d","definition","o","defineProperty","enumerable","f","e","chunkId","Promise","all","reduce","promises","u","g","globalThis","Function","obj","prop","prototype","hasOwnProperty","l","url","done","script","needAttach","scripts","getElementsByTagName","s","getAttribute","charset","timeout","nc","src","onScriptComplete","prev","event","onerror","onload","clearTimeout","doneFns","parentNode","removeChild","forEach","setTimeout","bind","target","head","Symbol","toStringTag","nmd","paths","children","scriptUrl","importScripts","location","currentScript","tagName","toUpperCase","test","Error","p","baseURI","self","href","installedChunks","installedChunkData","promise","resolve","reject","errorType","realSrc","request","webpackJsonpCallback","parentChunkLoadingFunction","moreModules","runtime","some","chunkLoadingGlobal","__webpack_exports__"],"sourceRoot":""}
\ No newline at end of file