From 93759271c2c627c71045a2ff66ce75ef05f89944 Mon Sep 17 00:00:00 2001 From: Ferdinand Thiessen Date: Sat, 11 Nov 2023 16:12:39 +0100 Subject: [PATCH 1/4] feat: Allow to show all log types by adding an internal log file for non-file based loggers Also no longer provide the "enabled" setting as now all log types are supported Signed-off-by: Ferdinand Thiessen --- lib/Controller/LogController.php | 15 -- lib/Listener/LogListener.php | 20 +- lib/Log/LogIteratorFactory.php | 53 +++-- lib/Log/LogProxy.php | 82 ++++++++ lib/Service/SettingsService.php | 1 - src/App.vue | 31 +-- src/interfaces/IAppSettings.ts | 4 - src/store/logging.spec.ts | 1 - src/store/logging.ts | 6 +- src/store/settings.spec.ts | 15 +- src/store/settings.ts | 13 +- .../Controller/SettingsControllerTest.php | 5 - tests/Unit/Log/LogProxyTest.php | 190 ++++++++++++++++++ tests/Unit/Service/SettingsServiceTest.php | 10 - 14 files changed, 342 insertions(+), 104 deletions(-) create mode 100644 lib/Log/LogProxy.php create mode 100644 tests/Unit/Log/LogProxyTest.php diff --git a/lib/Controller/LogController.php b/lib/Controller/LogController.php index 12e1f863..f8329be2 100644 --- a/lib/Controller/LogController.php +++ b/lib/Controller/LogController.php @@ -26,7 +26,6 @@ use OCA\LogReader\Log\SearchFilter; use OCA\LogReader\Service\SettingsService; use OCP\AppFramework\Controller; -use OCP\AppFramework\Http; use OCP\AppFramework\Http\JSONResponse; use OCP\IRequest; use Psr\Log\LoggerInterface; @@ -55,13 +54,6 @@ public function __construct($appName, * @return JSONResponse */ public function get($query = '', $count = 50, $offset = 0): JSONResponse { - $logType = $this->settingsService->getLoggingType(); - // we only support web access when `log_type` is set to `file` (the default) - if ($logType !== 'file') { - $this->logger->debug('File-based logging must be enabled to access logs from the Web UI.'); - return new JSONResponse([], Http::STATUS_FAILED_DEPENDENCY); - } - $iterator = $this->logIteratorFactory->getLogIterator($this->settingsService->getShownLevels()); if ($query !== '') { @@ -100,13 +92,6 @@ private function getLastItem() { * request. */ public function poll(string $lastReqId): JSONResponse { - $logType = $this->settingsService->getLoggingType(); - // we only support web access when `log_type` is set to `file` (the default) - if ($logType !== 'file') { - $this->logger->debug('File-based logging must be enabled to access logs from the Web UI.'); - return new JSONResponse([], Http::STATUS_FAILED_DEPENDENCY); - } - $lastItem = $this->getLastItem(); if ($lastItem === null || $lastItem['reqId'] === $lastReqId) { return new JSONResponse([]); diff --git a/lib/Listener/LogListener.php b/lib/Listener/LogListener.php index 8d291f75..61dbaf22 100644 --- a/lib/Listener/LogListener.php +++ b/lib/Listener/LogListener.php @@ -26,6 +26,7 @@ use OC\SystemConfig; use OCA\LogReader\Log\Console; use OCA\LogReader\Log\Formatter; +use OCA\LogReader\Log\LogProxy; use OCP\EventDispatcher\Event; use OCP\EventDispatcher\IEventListener; use OCP\Log\BeforeMessageLoggedEvent; @@ -35,9 +36,14 @@ * @template-implements IEventListener */ class LogListener implements IEventListener { - private ?Console $console; + private ?Console $console = null; + private ?LogProxy $proxy = null; - public function __construct(Formatter $formatter, SystemConfig $config) { + public function __construct( + Formatter $formatter, + SystemConfig $config, + LogProxy $proxy, + ) { if (defined('OC_CONSOLE') && \OC_CONSOLE) { $level = getenv('OCC_LOG'); if ($level) { @@ -46,8 +52,11 @@ public function __construct(Formatter $formatter, SystemConfig $config) { } else { $this->console = null; } - } else { - $this->console = null; + } + + // Only create a proxy file if log type is not file + if ($config->getValue('log_type', 'file') !== 'file') { + $this->proxy = $proxy; } } @@ -60,5 +69,8 @@ public function handle(Event $event): void { if ($this->console) { $this->console->log($event->getLevel(), $event->getApp(), $event->getMessage()); } + if ($this->proxy) { + $this->proxy->log($event->getLevel(), $event->getApp(), $event->getMessage()); + } } } diff --git a/lib/Log/LogIteratorFactory.php b/lib/Log/LogIteratorFactory.php index 21569ee7..0cd5cfae 100644 --- a/lib/Log/LogIteratorFactory.php +++ b/lib/Log/LogIteratorFactory.php @@ -23,17 +23,19 @@ namespace OCA\LogReader\Log; +use OCP\Files\IAppData; +use OCP\Files\NotFoundException; use OCP\IConfig; use OCP\Log\IFileBased; use OCP\Log\ILogFactory; class LogIteratorFactory { - private $config; - private $logFactory; - public function __construct(IConfig $config, ILogFactory $logFactory) { - $this->config = $config; - $this->logFactory = $logFactory; + public function __construct( + private IConfig $config, + private ILogFactory $logFactory, + private IAppData $appData, + ) { } /** @@ -44,18 +46,39 @@ public function __construct(IConfig $config, ILogFactory $logFactory) { public function getLogIterator(array $levels) { $dateFormat = $this->config->getSystemValue('logdateformat', \DateTime::ATOM); $timezone = $this->config->getSystemValue('logtimezone', 'UTC'); - $log = $this->logFactory->get('file'); - if ($log instanceof IFileBased) { - $handle = fopen($log->getLogFilePath(), 'rb'); - if ($handle) { - $iterator = new LogIterator($handle, $dateFormat, $timezone); - return new \CallbackFilterIterator($iterator, function ($logItem) use ($levels) { - return $logItem && in_array($logItem['level'], $levels); - }); + + if ($this->config->getSystemValue('log_type', 'file') !== 'file') { + try { + $folder = $this->appData->getFolder('logreader'); + } catch (NotFoundException $e) { + $folder = $this->appData->newFolder('logreader'); + } + + try { + $logfile = $folder->getFile('nextcloud.log'); + } catch (NotFoundException $e) { + $logfile = $folder->newFile('nextcloud.log'); + } + + $handle = $logfile->read(); + if (!$handle) { + throw new \Exception('Error while opening internal logfile'); + } + } else { + $logfile = $this->logFactory->get('file'); + if ($logfile instanceof IFileBased) { + $handle = fopen($logfile->getLogFilePath(), 'rb'); + if (!$handle) { + throw new \Exception("Error while opening " . $logfile->getLogFilePath()); + } } else { - throw new \Exception("Error while opening " . $log->getLogFilePath()); + throw new \Exception('Can\'t find log class'); } } - throw new \Exception('Can\'t find log class'); + + $iterator = new LogIterator($handle, $dateFormat, $timezone); + return new \CallbackFilterIterator($iterator, function ($logItem) use ($levels) { + return $logItem && in_array($logItem['level'], $levels); + }); } } diff --git a/lib/Log/LogProxy.php b/lib/Log/LogProxy.php new file mode 100644 index 00000000..4516115c --- /dev/null +++ b/lib/Log/LogProxy.php @@ -0,0 +1,82 @@ + + * + * @license GNU AGPL version 3 or any later version + * + * This program is free software: you can redistribute it and/or modify + * it under the terms of the GNU Affero General Public License as + * published by the Free Software Foundation, either version 3 of the + * License, or (at your option) any later version. + * + * This program is distributed in the hope that it will be useful, + * but WITHOUT ANY WARRANTY; without even the implied warranty of + * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + * GNU Affero General Public License for more details. + * + * You should have received a copy of the GNU Affero General Public License + * along with this program. If not, see . + * + */ + +namespace OCA\LogReader\Log; + +use OC\Log\LogDetails; +use OC\SystemConfig; +use OCP\Files\IAppData; +use OCP\Files\NotFoundException; +use OCP\Files\SimpleFS\ISimpleFile; + +/** + * Create a logfile even for syslog etc loggers + */ +class LogProxy extends LogDetails { + private ISimpleFile $logfile; + + public function __construct(IAppData $appData, private SystemConfig $config) { + parent::__construct($config); + + try { + $folder = $appData->getFolder('logreader'); + } catch (NotFoundException $e) { + $folder = $appData->newFolder('logreader'); + } + + try { + $this->logfile = $folder->getFile('nextcloud.log'); + } catch (NotFoundException $e) { + $this->logfile = $folder->newFile('nextcloud.log'); + } + } + + public function log(int $level, string $app, array $entry) { + if ($level >= $this->config->getValue('loglevel', 1)) { + $hasBacktrace = isset($entry['exception']); + $logBacktrace = $this->config->getValue('log.backtrace', false); + if (!$hasBacktrace && $logBacktrace) { + $entry['backtrace'] = debug_backtrace(DEBUG_BACKTRACE_IGNORE_ARGS); + } + + $entry = $this->logDetailsAsJSON($app, $entry, $level); + + $handle = $this->logfile->read(); + if ($handle) { + $content = stream_get_contents($handle); + fclose($handle); + } + + $handle = $this->logfile->write(); + if ($handle) { + if (isset($content) && $content !== false) { + fwrite($handle, $content); + } + fwrite($handle, $entry."\n"); + fclose($handle); + } else { + throw new \Error('Could not open internal log file.'); + } + } + } +} diff --git a/lib/Service/SettingsService.php b/lib/Service/SettingsService.php index dd561482..1fedb7a1 100644 --- a/lib/Service/SettingsService.php +++ b/lib/Service/SettingsService.php @@ -68,7 +68,6 @@ public function getAppSettings(): array { Constants::CONFIG_KEY_DATETIMEFORMAT => $this->getDateTimeFormat(), Constants::CONFIG_KEY_RELATIVEDATES => $this->getRelativeDates(), Constants::CONFIG_KEY_LIVELOG => $this->getLiveLog(), - 'enabled' => $this->getLoggingType() === 'file', ]; } diff --git a/src/App.vue b/src/App.vue index 862a1dab..f54c2731 100644 --- a/src/App.vue +++ b/src/App.vue @@ -18,7 +18,7 @@ - +

{{ t('logreader', 'Currently the log file {file} is shown', { file: settingsStore.localFileName }) }}

@@ -30,17 +30,13 @@

{{ t('logreader', 'Live view is disabled') }}

- - + + - @@ -74,6 +70,8 @@ const loggingStore = useLogStore() const entries = computed(() => loggingStore.entries) +const hasEntries = computed(() => loggingStore.allEntries.length > 0) + const onShowServerLog = () => { settingsStore.localFile = undefined // remove local entries @@ -99,21 +97,6 @@ onMounted(() => { onUnmounted(() => { loggingStore.stopPolling() }) - -/** Translated description what to check in case no log can be loaded */ -const noLogDescription = t( - 'logreader', - 'If you feel this is an error, please verify {setting} in your {config} and check the Nextcloud Administration Manual.', - { - setting: 'log_type', - config: 'config.php', - }, - 0, - { - sanitize: false, - escape: false, - }, -) \n","import \"../assets/index-b8f13a1f.css\";\nimport { n as r } from \"../chunks/_plugin-vue2_normalizer-71e2aa87.mjs\";\nconst n = {\n name: \"NcLoadingIcon\",\n props: {\n /**\n * Specify the size of the loading icon.\n */\n size: {\n type: Number,\n default: 20\n },\n /**\n * The appearance of the loading icon.\n * 'auto' adjusts to the Nextcloud color scheme,\n * 'light' and 'dark' are static.\n */\n appearance: {\n type: String,\n validator(a) {\n return [\"auto\", \"light\", \"dark\"].includes(a);\n },\n default: \"auto\"\n },\n /**\n * Specify what is loading.\n */\n name: {\n type: String,\n default: \"\"\n }\n },\n computed: {\n colors() {\n const a = [\"#777\", \"#CCC\"];\n return this.appearance === \"light\" ? a : this.appearance === \"dark\" ? a.reverse() : [\"var(--color-loading-light)\", \"var(--color-loading-dark)\"];\n }\n }\n};\nvar o = function() {\n var e = this, t = e._self._c;\n return t(\"span\", { staticClass: \"material-design-icon loading-icon\", attrs: { \"aria-label\": e.name, role: \"img\" } }, [t(\"svg\", { attrs: { width: e.size, height: e.size, viewBox: \"0 0 24 24\" } }, [t(\"path\", { attrs: { fill: e.colors[0], d: \"M12,4V2A10,10 0 1,0 22,12H20A8,8 0 1,1 12,4Z\" } }), t(\"path\", { attrs: { fill: e.colors[1], d: \"M12,4V2A10,10 0 0,1 22,12H20A8,8 0 0,0 12,4Z\" } }, [e.name ? t(\"title\", [e._v(e._s(e.name))]) : e._e()])])]);\n}, i = [], s = /* @__PURE__ */ r(\n n,\n o,\n i,\n !1,\n null,\n \"626664cd\",\n null,\n null\n);\nconst d = s.exports;\nexport {\n d as default\n};\n","/**\n * @copyright Copyright (c) 2018 John Molakvoæ \n *\n * @author John Molakvoæ \n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see .\n *\n */\nconst e = (a) => Math.random().toString(36).replace(/[^a-z]+/g, \"\").slice(0, a || 5);\nexport {\n e as G\n};\n","import { getGettextBuilder as i } from \"@nextcloud/l10n/gettext\";\nconst s = i().detectLocale();\n[{ locale: \"af\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"ar\", translations: { \"{tag} (invisible)\": \"{tag} (غير مرئي)\", \"{tag} (restricted)\": \"{tag} (مُقيّد)\", \"a few seconds ago\": \"منذ عدة ثوانٍ مضت\", Actions: \"إجراءات\", 'Actions for item with name \"{name}\"': 'إجراءات على العنصر المُسمَّى \"{name}\"', Activities: \"الحركات\", \"Animals & Nature\": \"الحيوانات والطبيعة\", \"Any link\": \"أيَّ رابطٍ\", \"Anything shared with the same group of people will show up here\": \"أي مادة تمت مشاركتها مع نفس المجموعة من الأشخاص سيتم عرضها هنا\", \"Avatar of {displayName}\": \"الرمز التجسيدي avatar لــ {displayName} \", \"Avatar of {displayName}, {status}\": \"الرمز التجسيدي avatar لــ {displayName}، {status}\", away: \"غير موجود\", Back: \"عودة\", \"Back to provider selection\": \"عودة إلى اختيار المُزوِّد\", \"Cancel changes\": \"إلغاء التغييرات\", \"Change name\": \"تغيير الاسم\", Choose: \"إختَر\", \"Clear search\": \"مَحْوُ البحث\", \"Clear text\": \"مَحْوُ النص\", Close: \"أغلِق\", \"Close modal\": \"أغلِق النافذة الصُّورِية\", \"Close navigation\": \"أغلِق المُتصفِّح\", \"Close sidebar\": \"قفل الشريط الجانبي\", \"Close Smart Picker\": \"أغلِق اللاقط الذكي Smart Picker\", \"Collapse menu\": \"طَيُّ القائمة\", \"Confirm changes\": \"تأكيد التغييرات\", Custom: \"مُخصَّص\", \"do not disturb\": \"يُرجى عدم الإزعاج\", \"Edit item\": \"تعديل عنصر\", \"Enter link\": \"أدخِل الرابط\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"خطأ في الحصول على الموارد ذات الصلة. يرجى الاتصال بمشرف النظام عندك إذا كان لديك أيّ أسئلة.\", \"External documentation for {name}\": \"التوثيق الخارجي لـ {name}\", Favorite: \"المُفضَّلة\", Flags: \"الأعلام\", \"Food & Drink\": \"الطعام والشراب\", \"Frequently used\": \"شائعة الاستعمال\", Global: \"شامل\", \"Go back to the list\": \"عودة إلى القائمة\", \"Hide password\": \"إخفاء كلمة المرور\", 'Load more \"{options}\"': 'تحميل المزيد من \"{options}\" ', \"Message limit of {count} characters reached\": \"تمّ الوصول إلى الحد الأقصى لعدد الأحرف في الرسالة: {count} حرف\", \"More items …\": \"عناصر أخرى ...\", \"More options\": \"خيارات أخرى ...\", Next: \"التالي\", \"No emoji found\": \"لم يتم العثور على أي إيموجي emoji\", \"No link provider found\": \"لا يوجد أيّ مزود روابط link provider\", \"No results\": \"ليس هناك أية نتيجة\", Objects: \"أشياء\", offline: \"غير متصل\", online: \"مُتّصِلٌ\", \"Open contact menu\": \"إفتَح قائمة جهات الاتصال\", 'Open link to \"{resourceName}\"': 'إفتَح الرابط إلى \"{resourceName}\"', \"Open menu\": \"إفتَح القائمة\", \"Open navigation\": \"إفتَح المتصفح\", \"Open settings menu\": \"إفتَح قائمة الإعدادات\", \"Password is secure\": \"كلمة المرور مُؤمّنة\", \"Pause slideshow\": \"تجميد عرض الشرائح\", \"People & Body\": \"ناس و أجسام\", \"Pick a date\": \"إختَر التاريخ\", \"Pick a date and a time\": \"إختَر التاريخ و الوقت\", \"Pick a month\": \"إختَر الشهر\", \"Pick a time\": \"إختَر الوقت\", \"Pick a week\": \"إختَر الأسبوع\", \"Pick a year\": \"إختَر السنة\", \"Pick an emoji\": \"إختَر رمز إيموجي emoji\", \"Please select a time zone:\": \"الرجاء تحديد المنطقة الزمنية:\", Previous: \"السابق\", \"Provider icon\": \"أيقونة المُزوِّد\", \"Raw link {options}\": \" الرابط الخام raw link ـ {options}\", \"Related resources\": \"مصادر ذات صلة\", Search: \"بحث\", \"Search emoji\": \"بحث عن إيموجي emoji\", \"Search results\": \"نتائج البحث\", \"sec. ago\": \"ثانية مضت\", \"seconds ago\": \"ثوان مضت\", \"Select a tag\": \"إختَر سِمَةً tag\", \"Select provider\": \"إختَر مٌزوِّداً\", Selected: \"مُحدّدة\", Settings: \"الإعدادات\", \"Settings navigation\": \"إعدادات التّصفُّح\", \"Show password\": \"أظهِر كلمة المرور\", \"Smart Picker\": \"اللاقط الذكي smart picker\", \"Smileys & Emotion\": \"وجوهٌ ضاحكة و مشاعر\", \"Start slideshow\": \"إبدإ العرض\", \"Start typing to search\": \"إبدإ كتابة مفردات البحث\", Submit: \"إرسال\", Symbols: \"رموز\", \"Travel & Places\": \"سفر و أماكن\", \"Type to search time zone\": \"أكتُب للبحث عن منطقة زمنية\", \"Unable to search the group\": \"تعذّر البحث في المجموعة\", \"Undo changes\": \"تراجَع عن التغييرات\", \"User status: {status}\": \"حالة المستخدِم: {status}\", \"Write a message …\": \"أكتُب رسالةً ...\" } }, { locale: \"ast\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"az\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"be\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"bg\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"bn_BD\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"br\", translations: { \"{tag} (invisible)\": \"{tag} (diwelus)\", \"{tag} (restricted)\": \"{tag} (bevennet)\", \"a few seconds ago\": \"\", Actions: \"Oberioù\", 'Actions for item with name \"{name}\"': \"\", Activities: \"Oberiantizoù\", \"Animals & Nature\": \"Loened & Natur\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"Dibab\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"Serriñ\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"Personelañ\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"Bannieloù\", \"Food & Drink\": \"Boued & Evajoù\", \"Frequently used\": \"Implijet alies\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"Da heul\", \"No emoji found\": \"Emoji ebet kavet\", \"No link provider found\": \"\", \"No results\": \"Disoc'h ebet\", Objects: \"Traoù\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"Arsav an diaporama\", \"People & Body\": \"Tud & Korf\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"Choaz un emoji\", \"Please select a time zone:\": \"\", Previous: \"A-raok\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"Klask\", \"Search emoji\": \"\", \"Search results\": \"Disoc'hoù an enklask\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"Choaz ur c'hlav\", \"Select provider\": \"\", Settings: \"Arventennoù\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"Smileyioù & Fromoù\", \"Start slideshow\": \"Kregiñ an diaporama\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"Arouezioù\", \"Travel & Places\": \"Beaj & Lec'hioù\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"Dibosupl eo klask ar strollad\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"bs\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"ca\", translations: { \"{tag} (invisible)\": \"{tag} (invisible)\", \"{tag} (restricted)\": \"{tag} (restringit)\", \"a few seconds ago\": \"\", Actions: \"Accions\", 'Actions for item with name \"{name}\"': \"\", Activities: \"Activitats\", \"Animals & Nature\": \"Animals i natura\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"Qualsevol cosa compartida amb el mateix grup de persones es mostrarà aquí\", \"Avatar of {displayName}\": \"Avatar de {displayName}\", \"Avatar of {displayName}, {status}\": \"Avatar de {displayName}, {status}\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"Cancel·la els canvis\", \"Change name\": \"\", Choose: \"Tria\", \"Clear search\": \"\", \"Clear text\": \"Netejar text\", Close: \"Tanca\", \"Close modal\": \"Tancar el mode\", \"Close navigation\": \"Tanca la navegació\", \"Close sidebar\": \"Tancar la barra lateral\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"Confirmeu els canvis\", Custom: \"Personalitzat\", \"Edit item\": \"Edita l'element\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"Preferit\", Flags: \"Marques\", \"Food & Drink\": \"Menjar i begudes\", \"Frequently used\": \"Utilitzats recentment\", Global: \"Global\", \"Go back to the list\": \"Torna a la llista\", \"Hide password\": \"Amagar contrasenya\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"S'ha arribat al límit de {count} caràcters per missatge\", \"More items …\": \"Més artícles...\", \"More options\": \"\", Next: \"Següent\", \"No emoji found\": \"No s'ha trobat cap emoji\", \"No link provider found\": \"\", \"No results\": \"Sense resultats\", Objects: \"Objectes\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"Obre la navegació\", \"Open settings menu\": \"\", \"Password is secure\": \"Contrasenya segura
\", \"Pause slideshow\": \"Atura la presentació\", \"People & Body\": \"Persones i cos\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"Trieu un emoji\", \"Please select a time zone:\": \"Seleccioneu una zona horària:\", Previous: \"Anterior\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"Recursos relacionats\", Search: \"Cerca\", \"Search emoji\": \"\", \"Search results\": \"Resultats de cerca\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"Seleccioneu una etiqueta\", \"Select provider\": \"\", Settings: \"Paràmetres\", \"Settings navigation\": \"Navegació d'opcions\", \"Show password\": \"Mostrar contrasenya\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"Cares i emocions\", \"Start slideshow\": \"Inicia la presentació\", \"Start typing to search\": \"\", Submit: \"Envia\", Symbols: \"Símbols\", \"Travel & Places\": \"Viatges i llocs\", \"Type to search time zone\": \"Escriviu per cercar la zona horària\", \"Unable to search the group\": \"No es pot cercar el grup\", \"Undo changes\": \"Desfés els canvis\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': 'Escriu missatge, fes servir \"@\" per esmentar algú, fes servir \":\" per autocompletar emojis...' } }, { locale: \"cs\", translations: { \"{tag} (invisible)\": \"{tag} (neviditelné)\", \"{tag} (restricted)\": \"{tag} (omezené)\", \"a few seconds ago\": \"před několika sekundami\", Actions: \"Akce\", 'Actions for item with name \"{name}\"': \"Akce pro položku s názvem „{name}“\", Activities: \"Aktivity\", \"Animals & Nature\": \"Zvířata a příroda\", \"Any link\": \"Jakýkoli odkaz\", \"Anything shared with the same group of people will show up here\": \"Cokoli nasdíleného stejné skupině lidí se zobrazí zde\", \"Avatar of {displayName}\": \"Zástupný obrázek uživatele {displayName}\", \"Avatar of {displayName}, {status}\": \"Zástupný obrázek uživatele {displayName}, {status}\", Back: \"Zpět\", \"Back to provider selection\": \"Zpět na výběr poskytovatele\", \"Cancel changes\": \"Zrušit změny\", \"Change name\": \"Změnit název\", Choose: \"Zvolit\", \"Clear search\": \"Vyčistit vyhledávání\", \"Clear text\": \"Čitelný text\", Close: \"Zavřít\", \"Close modal\": \"Zavřít dialogové okno\", \"Close navigation\": \"Zavřít navigaci\", \"Close sidebar\": \"Zavřít postranní panel\", \"Close Smart Picker\": \"Zavřít inteligentní výběr\", \"Collapse menu\": \"Sbalit nabídku\", \"Confirm changes\": \"Potvrdit změny\", Custom: \"Uživatelsky určené\", \"Edit item\": \"Upravit položku\", \"Enter link\": \"Zadat odkaz\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"Chyba při získávání souvisejících prostředků. Pokud máte jakékoli dotazy, obraťte se na správce vámi využívaného systému.\", \"External documentation for {name}\": \"Externí dokumentace pro {name}\", Favorite: \"Oblíbené\", Flags: \"Příznaky\", \"Food & Drink\": \"Jídlo a pití\", \"Frequently used\": \"Často používané\", Global: \"Globální\", \"Go back to the list\": \"Jít zpět na seznam\", \"Hide password\": \"Skrýt heslo\", 'Load more \"{options}\"\"': \"Načíst více „{options}“\", \"Message limit of {count} characters reached\": \"Dosaženo limitu počtu ({count}) znaků zprávy\", \"More items …\": \"Další položky…\", \"More options\": \"Další volby\", Next: \"Následující\", \"No emoji found\": \"Nenalezeno žádné emoji\", \"No link provider found\": \"Nenalezen žádný poskytovatel odkazů\", \"No results\": \"Nic nenalezeno\", Objects: \"Objekty\", \"Open contact menu\": \"Otevřít nabídku kontaktů\", 'Open link to \"{resourceName}\"': \"Otevřít odkaz na „{resourceName}“\", \"Open menu\": \"Otevřít nabídku\", \"Open navigation\": \"Otevřít navigaci\", \"Open settings menu\": \"Otevřít nabídku nastavení\", \"Password is secure\": \"Heslo je bezpečné\", \"Pause slideshow\": \"Pozastavit prezentaci\", \"People & Body\": \"Lidé a tělo\", \"Pick a date\": \"Vybrat datum\", \"Pick a date and a time\": \"Vybrat datum a čas\", \"Pick a month\": \"Vybrat měsíc\", \"Pick a time\": \"Vybrat čas\", \"Pick a week\": \"Vybrat týden\", \"Pick a year\": \"Vybrat rok\", \"Pick an emoji\": \"Vybrat emoji\", \"Please select a time zone:\": \"Vyberte časovou zónu:\", Previous: \"Předchozí\", \"Provider icon\": \"Ikona poskytovatele\", \"Raw link {options}\": \"Holý odkaz {options}\", \"Related resources\": \"Související prostředky\", Search: \"Hledat\", \"Search emoji\": \"Hledat emoji\", \"Search results\": \"Výsledky hledání\", \"sec. ago\": \"sek. před\", \"seconds ago\": \"sekund předtím\", \"Select a tag\": \"Vybrat štítek\", \"Select provider\": \"Vybrat poskytovatele\", Settings: \"Nastavení\", \"Settings navigation\": \"Pohyb po nastavení\", \"Show password\": \"Zobrazit heslo\", \"Smart Picker\": \"Inteligentní výběr\", \"Smileys & Emotion\": \"Úsměvy a emoce\", \"Start slideshow\": \"Spustit prezentaci\", \"Start typing to search\": \"Vyhledávejte psaním\", Submit: \"Odeslat\", Symbols: \"Symboly\", \"Travel & Places\": \"Cestování a místa\", \"Type to search time zone\": \"Psaním vyhledejte časovou zónu\", \"Unable to search the group\": \"Nedaří se hledat skupinu\", \"Undo changes\": \"Vzít změny zpět\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"Napište zprávu – pokud chcete někoho zmínit, napište před jeho uživatelským jménem „@“ (zavináč); automatické doplňování emotikonů zahájíte napsáním „:“ (dvojtečky)…\" } }, { locale: \"cs_CZ\", translations: { \"{tag} (invisible)\": \"{tag} (neviditelné)\", \"{tag} (restricted)\": \"{tag} (omezené)\", \"a few seconds ago\": \"před několika sekundami\", Actions: \"Akce\", 'Actions for item with name \"{name}\"': \"Akce pro položku s názvem „{name}“\", Activities: \"Aktivity\", \"Animals & Nature\": \"Zvířata a příroda\", \"Any link\": \"Jakýkoli odkaz\", \"Anything shared with the same group of people will show up here\": \"Cokoli nasdíleného stejné skupině lidí se zobrazí zde\", \"Avatar of {displayName}\": \"Zástupný obrázek uživatele {displayName}\", \"Avatar of {displayName}, {status}\": \"Zástupný obrázek uživatele {displayName}, {status}\", away: \"pryč\", Back: \"Zpět\", \"Back to provider selection\": \"Zpět na výběr poskytovatele\", \"Cancel changes\": \"Zrušit změny\", \"Change name\": \"Změnit název\", Choose: \"Zvolit\", \"Clear search\": \"Vyčistit vyhledávání\", \"Clear selected\": \"Vyčistit vybrané\", \"Clear text\": \"Čitelný text\", Close: \"Zavřít\", \"Close navigation\": \"Zavřít navigaci\", \"Close sidebar\": \"Zavřít postranní panel\", \"Close Smart Picker\": \"Zavřít inteligentní výběr\", \"Collapse menu\": \"Sbalit nabídku\", \"Confirm changes\": \"Potvrdit změny\", Custom: \"Uživatelsky určené\", \"Deselect {option}\": \"Zrušit výběr {option}\", \"do not disturb\": \"nerušit\", \"Edit item\": \"Upravit položku\", \"Enter link\": \"Zadat odkaz\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"Chyba při získávání souvisejících prostředků. Pokud máte jakékoli dotazy, obraťte se na správce vámi využívaného systému.\", \"External documentation for {name}\": \"Externí dokumentace pro {name}\", Favorite: \"Oblíbené\", Flags: \"Příznaky\", \"Food & Drink\": \"Jídlo a pití\", \"Frequently used\": \"Často používané\", Global: \"Globální\", \"Go back to the list\": \"Jít zpět na seznam\", \"Hide password\": \"Skrýt heslo\", 'Load more \"{options}\"': \"Načíst další „{options}“\", \"Message limit of {count} characters reached\": \"Dosaženo limitu počtu ({count}) znaků zprávy\", \"More items …\": \"Další položky…\", \"More options\": \"Další volby\", Next: \"Následující\", \"No emoji found\": \"Nenalezeno žádné emoji\", \"No link provider found\": \"Nenalezen žádný poskytovatel odkazů\", \"No results\": \"Nic nenalezeno\", Objects: \"Objekty\", offline: \"offline\", online: \"online\", \"Open contact menu\": \"Otevřít nabídku kontaktů\", 'Open link to \"{resourceName}\"': \"Otevřít odkaz na „{resourceName}“\", \"Open menu\": \"Otevřít nabídku\", \"Open navigation\": \"Otevřít navigaci\", \"Open settings menu\": \"Otevřít nabídku nastavení\", \"Password is secure\": \"Heslo je bezpečné\", \"Pause slideshow\": \"Pozastavit prezentaci\", \"People & Body\": \"Lidé a tělo\", \"Pick a date\": \"Vybrat datum\", \"Pick a date and a time\": \"Vybrat datum a čas\", \"Pick a month\": \"Vybrat měsíc\", \"Pick a time\": \"Vybrat čas\", \"Pick a week\": \"Vybrat týden\", \"Pick a year\": \"Vybrat rok\", \"Pick an emoji\": \"Vybrat emoji\", \"Please select a time zone:\": \"Vyberte časovou zónu:\", Previous: \"Předchozí\", \"Provider icon\": \"Ikona poskytovatele\", \"Raw link {options}\": \"Holý odkaz {options}\", \"Related resources\": \"Související prostředky\", Search: \"Hledat\", \"Search emoji\": \"Hledat emoji\", \"Search for options\": \"Hledat předvolby\", \"Search for time zone\": \"Vyhledat časové pásmo\", \"Search results\": \"Výsledky hledání\", \"sec. ago\": \"sek. před\", \"seconds ago\": \"sekund předtím\", \"Select a tag\": \"Vybrat štítek\", \"Select provider\": \"Vybrat poskytovatele\", Selected: \"Vybráno\", Settings: \"Nastavení\", \"Settings navigation\": \"Pohyb po nastavení\", \"Show password\": \"Zobrazit heslo\", \"Smart Picker\": \"Inteligentní výběr\", \"Smileys & Emotion\": \"Úsměvy a emoce\", \"Start slideshow\": \"Spustit prezentaci\", \"Start typing to search\": \"Vyhledávejte psaním\", Submit: \"Odeslat\", Symbols: \"Symboly\", \"Travel & Places\": \"Cestování a místa\", \"Type to search time zone\": \"Psaním vyhledejte časovou zónu\", \"Unable to search the group\": \"Nedaří se hledat skupinu\", \"Undo changes\": \"Vzít změny zpět\", \"User status: {status}\": \"Stav uživatele: {status}\", \"Write a message …\": \"Napsat zprávu…\" } }, { locale: \"cy_GB\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"da\", translations: { \"{tag} (invisible)\": \"{tag} (usynlig)\", \"{tag} (restricted)\": \"{tag} (begrænset)\", \"a few seconds ago\": \"et par sekunder siden\", Actions: \"Handlinger\", 'Actions for item with name \"{name}\"': 'Handlinger for element med navnet \"{name}\"', Activities: \"Aktiviteter\", \"Animals & Nature\": \"Dyr & Natur\", \"Any link\": \"Ethvert link\", \"Anything shared with the same group of people will show up here\": \"Alt der deles med samme gruppe af personer vil vises her\", \"Avatar of {displayName}\": \"Avatar af {displayName}\", \"Avatar of {displayName}, {status}\": \"Avatar af {displayName}, {status}\", Back: \"Tilbage\", \"Back to provider selection\": \"Tilbage til udbydervalg\", \"Cancel changes\": \"Annuller ændringer\", \"Change name\": \"Ændre navn\", Choose: \"Vælg\", \"Clear search\": \"Ryd søgning\", \"Clear text\": \"Ryd tekst\", Close: \"Luk\", \"Close modal\": \"Luk vindue\", \"Close navigation\": \"Luk navigation\", \"Close sidebar\": \"Luk sidepanel\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"Bekræft ændringer\", Custom: \"Brugerdefineret\", \"Edit item\": \"Rediger emne\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"Favorit\", Flags: \"Flag\", \"Food & Drink\": \"Mad & Drikke\", \"Frequently used\": \"Ofte brugt\", Global: \"Global\", \"Go back to the list\": \"Tilbage til listen\", \"Hide password\": \"Skjul kodeord\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"Begrænsning på {count} tegn er nået\", \"More items …\": \"Mere ...\", \"More options\": \"\", Next: \"Videre\", \"No emoji found\": \"Ingen emoji fundet\", \"No link provider found\": \"\", \"No results\": \"Ingen resultater\", Objects: \"Objekter\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"Åbn navigation\", \"Open settings menu\": \"\", \"Password is secure\": \"Kodeordet er sikkert\", \"Pause slideshow\": \"Suspender fremvisning\", \"People & Body\": \"Mennesker & Menneskekroppen\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"Vælg en emoji\", \"Please select a time zone:\": \"Vælg venligst en tidszone:\", Previous: \"Forrige\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"Relaterede emner\", Search: \"Søg\", \"Search emoji\": \"\", \"Search results\": \"Søgeresultater\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"Vælg et mærke\", \"Select provider\": \"\", Settings: \"Indstillinger\", \"Settings navigation\": \"Naviger i indstillinger\", \"Show password\": \"Vis kodeord\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"Smileys & Emotion\", \"Start slideshow\": \"Start fremvisning\", \"Start typing to search\": \"\", Submit: \"Send\", Symbols: \"Symboler\", \"Travel & Places\": \"Rejser & Rejsemål\", \"Type to search time zone\": \"Indtast for at søge efter tidszone\", \"Unable to search the group\": \"Kan ikke søge på denne gruppe\", \"Undo changes\": \"Fortryd ændringer\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': 'Skriv besked, brug \"@\" for at nævne nogen, brug \":\" til emoji-autofuldførelse ...' } }, { locale: \"de\", translations: { \"{tag} (invisible)\": \"{tag} (unsichtbar)\", \"{tag} (restricted)\": \"{tag} (eingeschränkt)\", \"a few seconds ago\": \"vor ein paar Sekunden\", Actions: \"Aktionen\", 'Actions for item with name \"{name}\"': 'Aktionen für das Element \"{name}“', Activities: \"Aktivitäten\", \"Animals & Nature\": \"Tiere & Natur\", \"Any link\": \"Irgendein Link\", \"Anything shared with the same group of people will show up here\": \"Alles, das mit derselben Gruppe von Personen geteilt wird, wird hier angezeigt\", \"Avatar of {displayName}\": \"Avatar von {displayName}\", \"Avatar of {displayName}, {status}\": \"Avatar von {displayName}, {status}\", Back: \"Zurück\", \"Back to provider selection\": \"Zurück zur Anbieterauswahl\", \"Cancel changes\": \"Änderungen verwerfen\", \"Change name\": \"Namen ändern\", Choose: \"Auswählen\", \"Clear search\": \"Suche leeren\", \"Clear text\": \"Klartext\", Close: \"Schließen\", \"Close modal\": \"Modal schließen\", \"Close navigation\": \"Navigation schließen\", \"Close sidebar\": \"Seitenleiste schließen\", \"Close Smart Picker\": \"Smart Picker schließen\", \"Collapse menu\": \"Menü einklappen\", \"Confirm changes\": \"Änderungen bestätigen\", Custom: \"Benutzerdefiniert\", \"Edit item\": \"Objekt bearbeiten\", \"Enter link\": \"Link eingeben\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"Fehler beim Abrufen verwandter Ressourcen. Bei Fragen wende dich bitte an deinen Systemadministrator.\", \"External documentation for {name}\": \"Externe Dokumentation für {name}\", Favorite: \"Favorit\", Flags: \"Flaggen\", \"Food & Drink\": \"Essen & Trinken\", \"Frequently used\": \"Häufig verwendet\", Global: \"Global\", \"Go back to the list\": \"Zurück zur Liste\", \"Hide password\": \"Passwort verbergen\", 'Load more \"{options}\"': 'Weitere \"{options}\" laden', \"Message limit of {count} characters reached\": \"Nachrichtenlimit von {count} Zeichen erreicht.\", \"More items …\": \"Weitere Elemente …\", \"More options\": \"Weitere Optionen\", Next: \"Weiter\", \"No emoji found\": \"Kein Emoji gefunden\", \"No link provider found\": \"Kein Linkanbieter gefunden\", \"No results\": \"Keine Ergebnisse\", Objects: \"Gegenstände\", \"Open contact menu\": \"Kontaktmenü öffnen\", 'Open link to \"{resourceName}\"': 'Link zu \"{resourceName}“ öffnen', \"Open menu\": \"Menü öffnen\", \"Open navigation\": \"Navigation öffnen\", \"Open settings menu\": \"Einstellungsmenü öffnen\", \"Password is secure\": \"Passwort ist sicher\", \"Pause slideshow\": \"Diashow pausieren\", \"People & Body\": \"Menschen & Körper\", \"Pick a date\": \"Ein Datum auswählen\", \"Pick a date and a time\": \"Datum und Uhrzeit auswählen\", \"Pick a month\": \"Einen Monat auswählen\", \"Pick a time\": \"Eine Uhrzeit auswählen\", \"Pick a week\": \"Eine Woche auswählen\", \"Pick a year\": \"Ein Jahr auswählen\", \"Pick an emoji\": \"Ein Emoji auswählen\", \"Please select a time zone:\": \"Bitte wähle eine Zeitzone:\", Previous: \"Vorherige\", \"Provider icon\": \"Anbietersymbol\", \"Raw link {options}\": \"Unverarbeiteter Link {Optionen}\", \"Related resources\": \"Verwandte Ressourcen\", Search: \"Suche\", \"Search emoji\": \"Emoji suchen\", \"Search results\": \"Suchergebnisse\", \"sec. ago\": \"Sek. zuvor\", \"seconds ago\": \"Sekunden zuvor\", \"Select a tag\": \"Schlagwort auswählen\", \"Select provider\": \"Anbieter auswählen\", Selected: \"Ausgewählt\", Settings: \"Einstellungen\", \"Settings navigation\": \"Einstellungen für die Navigation\", \"Show password\": \"Passwort anzeigen\", \"Smart Picker\": \"Smart Picker\", \"Smileys & Emotion\": \"Smileys & Emotionen\", \"Start slideshow\": \"Diashow starten\", \"Start typing to search\": \"Beginne mit der Eingabe, um zu suchen\", Submit: \"Einreichen\", Symbols: \"Symbole\", \"Travel & Places\": \"Reisen & Orte\", \"Type to search time zone\": \"Tippen, um Zeitzone zu suchen\", \"Unable to search the group\": \"Die Gruppe konnte nicht durchsucht werden.\", \"Undo changes\": \"Änderungen rückgängig machen\", \"Write a message …\": \"Nachricht schreiben …\" } }, { locale: \"de_DE\", translations: { \"{tag} (invisible)\": \"{tag} (unsichtbar)\", \"{tag} (restricted)\": \"{tag} (eingeschränkt)\", \"a few seconds ago\": \"vor ein paar Sekunden\", Actions: \"Aktionen\", 'Actions for item with name \"{name}\"': 'Aktionen für Element mit dem Namen \"{name}“', Activities: \"Aktivitäten\", \"Animals & Nature\": \"Tiere & Natur\", \"Any link\": \"Irgendein Link\", \"Anything shared with the same group of people will show up here\": \"Alles, das mit derselben Gruppe von Personen geteilt wird, wird hier angezeigt\", \"Avatar of {displayName}\": \"Avatar von {displayName}\", \"Avatar of {displayName}, {status}\": \"Avatar von {displayName}, {status}\", away: \"Abwesend\", Back: \"Zurück\", \"Back to provider selection\": \"Zurück zur Anbieterauswahl\", \"Cancel changes\": \"Änderungen verwerfen\", \"Change name\": \"Namen ändern\", Choose: \"Auswählen\", \"Clear search\": \"Suche leeren\", \"Clear selected\": \"Ausgewählte löschen\", \"Clear text\": \"Klartext\", Close: \"Schließen\", \"Close navigation\": \"Navigation schließen\", \"Close sidebar\": \"Seitenleiste schließen\", \"Close Smart Picker\": \"Smart Picker schließen\", \"Collapse menu\": \"Menü einklappen\", \"Confirm changes\": \"Änderungen bestätigen\", Custom: \"Benutzerdefiniert\", \"Deselect {option}\": \"{option} abwählen\", \"do not disturb\": \"Bitte nicht stören\", \"Edit item\": \"Element bearbeiten\", \"Enter link\": \"Link eingeben\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"Fehler beim Abrufen verwandter Ressourcen. Bei Fragen wenden Sie sich bitte an Ihre Systemadministration.\", \"External documentation for {name}\": \"Externe Dokumentation für {name}\", Favorite: \"Favorit\", Flags: \"Flaggen\", \"Food & Drink\": \"Essen & Trinken\", \"Frequently used\": \"Häufig verwendet\", Global: \"Global\", \"Go back to the list\": \"Zurück zur Liste\", \"Hide password\": \"Passwort verbergen\", 'Load more \"{options}\"': 'Weitere \"{options}\" laden', \"Message limit of {count} characters reached\": \"Nachrichtenlimit von {count} Zeichen erreicht\", \"More items …\": \"Weitere Elemente …\", \"More options\": \"Mehr Optionen\", Next: \"Weiter\", \"No emoji found\": \"Kein Emoji gefunden\", \"No link provider found\": \"Kein Linkanbieter gefunden\", \"No results\": \"Keine Ergebnisse\", Objects: \"Objekte\", offline: \"Offline\", online: \"Online\", \"Open contact menu\": \"Kontaktmenü öffnen\", 'Open link to \"{resourceName}\"': 'Link zu \"{resourceName}“ öffnen', \"Open menu\": \"Menü öffnen\", \"Open navigation\": \"Navigation öffnen\", \"Open settings menu\": \"Einstellungsmenü öffnen\", \"Password is secure\": \"Passwort ist sicher\", \"Pause slideshow\": \"Diashow pausieren\", \"People & Body\": \"Menschen & Körper\", \"Pick a date\": \"Ein Datum auswählen\", \"Pick a date and a time\": \"Datum und Uhrzeit auswählen\", \"Pick a month\": \"Einen Monat auswählen\", \"Pick a time\": \"Eine Uhrzeit auswählen\", \"Pick a week\": \"Eine Woche auswählen\", \"Pick a year\": \"Ein Jahr auswählen\", \"Pick an emoji\": \"Ein Emoji auswählen\", \"Please select a time zone:\": \"Bitte eine Zeitzone auswählen:\", Previous: \"Vorherige\", \"Provider icon\": \"Anbietersymbol\", \"Raw link {options}\": \"Unverarbeiteter Link {Optionen}\", \"Related resources\": \"Verwandte Ressourcen\", Search: \"Suche\", \"Search emoji\": \"Emoji suchen\", \"Search for options\": \"Nach Optionen suchen\", \"Search for time zone\": \"Nach Zeitzone suchen\", \"Search results\": \"Suchergebnisse\", \"sec. ago\": \"Sek. zuvor\", \"seconds ago\": \"Sekunden zuvor\", \"Select a tag\": \"Schlagwort auswählen\", \"Select provider\": \"Anbieter auswählen\", Selected: \"Ausgewählt\", Settings: \"Einstellungen\", \"Settings navigation\": \"Einstellungen für die Navigation\", \"Show password\": \"Passwort anzeigen\", \"Smart Picker\": \"Smart Picker\", \"Smileys & Emotion\": \"Smileys & Emotionen\", \"Start slideshow\": \"Diashow starten\", \"Start typing to search\": \"Mit der Eingabe beginnen, um zu suchen\", Submit: \"Einreichen\", Symbols: \"Symbole\", \"Travel & Places\": \"Reisen & Orte\", \"Type to search time zone\": \"Tippen, um eine Zeitzone zu suchen\", \"Unable to search the group\": \"Die Gruppe kann nicht durchsucht werden\", \"Undo changes\": \"Änderungen rückgängig machen\", \"User status: {status}\": \"Benutzerstatus: {status}\", \"Write a message …\": \"Nachricht schreiben …\" } }, { locale: \"el\", translations: { \"{tag} (invisible)\": \"{tag} (αόρατο)\", \"{tag} (restricted)\": \"{tag} (περιορισμένο)\", \"a few seconds ago\": \"\", Actions: \"Ενέργειες\", 'Actions for item with name \"{name}\"': \"\", Activities: \"Δραστηριότητες\", \"Animals & Nature\": \"Ζώα & Φύση\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"Οτιδήποτε μοιράζεται με την ίδια ομάδα ατόμων θα εμφανίζεται εδώ\", \"Avatar of {displayName}\": \"Άβαταρ του {displayName}\", \"Avatar of {displayName}, {status}\": \"Άβαταρ του {displayName}, {status}\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"Ακύρωση αλλαγών\", \"Change name\": \"\", Choose: \"Επιλογή\", \"Clear search\": \"\", \"Clear text\": \"Εκκαθάριση κειμένου\", Close: \"Κλείσιμο\", \"Close modal\": \"Βοηθητικό κλείσιμο\", \"Close navigation\": \"Κλείσιμο πλοήγησης\", \"Close sidebar\": \"Κλείσιμο πλευρικής μπάρας\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"Επιβεβαίωση αλλαγών\", Custom: \"Προσαρμογή\", \"Edit item\": \"Επεξεργασία\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"Αγαπημένα\", Flags: \"Σημαίες\", \"Food & Drink\": \"Φαγητό & Ποτό\", \"Frequently used\": \"Συχνά χρησιμοποιούμενο\", Global: \"Καθολικό\", \"Go back to the list\": \"Επιστροφή στην αρχική λίστα \", \"Hide password\": \"Απόκρυψη κωδικού πρόσβασης\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"Συμπληρώθηκε το όριο των {count} χαρακτήρων του μηνύματος\", \"More items …\": \"Περισσότερα στοιχεία …\", \"More options\": \"\", Next: \"Επόμενο\", \"No emoji found\": \"Δεν βρέθηκε emoji\", \"No link provider found\": \"\", \"No results\": \"Κανένα αποτέλεσμα\", Objects: \"Αντικείμενα\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"Άνοιγμα πλοήγησης\", \"Open settings menu\": \"\", \"Password is secure\": \"Ο κωδικός πρόσβασης είναι ασφαλής\", \"Pause slideshow\": \"Παύση προβολής διαφανειών\", \"People & Body\": \"Άνθρωποι & Σώμα\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"Επιλέξτε ένα emoji\", \"Please select a time zone:\": \"Παρακαλούμε επιλέξτε μια ζώνη ώρας:\", Previous: \"Προηγούμενο\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"Σχετικοί πόροι\", Search: \"Αναζήτηση\", \"Search emoji\": \"\", \"Search results\": \"Αποτελέσματα αναζήτησης\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"Επιλογή ετικέτας\", \"Select provider\": \"\", Settings: \"Ρυθμίσεις\", \"Settings navigation\": \"Πλοήγηση ρυθμίσεων\", \"Show password\": \"Εμφάνιση κωδικού πρόσβασης\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"Φατσούλες & Συναίσθημα\", \"Start slideshow\": \"Έναρξη προβολής διαφανειών\", \"Start typing to search\": \"\", Submit: \"Υποβολή\", Symbols: \"Σύμβολα\", \"Travel & Places\": \"Ταξίδια & Τοποθεσίες\", \"Type to search time zone\": \"Πληκτρολογήστε για αναζήτηση ζώνης ώρας\", \"Unable to search the group\": \"Δεν είναι δυνατή η αναζήτηση της ομάδας\", \"Undo changes\": \"Αναίρεση Αλλαγών\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': 'Γράψτε μήνυμα, χρησιμοποιείστε \"@\" για να αναφέρετε κάποιον, χρησιμοποιείστε \":\" για αυτόματη συμπλήρωση emoji …' } }, { locale: \"en_GB\", translations: { \"{tag} (invisible)\": \"{tag} (invisible)\", \"{tag} (restricted)\": \"{tag} (restricted)\", \"a few seconds ago\": \"a few seconds ago\", Actions: \"Actions\", 'Actions for item with name \"{name}\"': 'Actions for item with name \"{name}\"', Activities: \"Activities\", \"Animals & Nature\": \"Animals & Nature\", \"Any link\": \"Any link\", \"Anything shared with the same group of people will show up here\": \"Anything shared with the same group of people will show up here\", \"Avatar of {displayName}\": \"Avatar of {displayName}\", \"Avatar of {displayName}, {status}\": \"Avatar of {displayName}, {status}\", away: \"away\", Back: \"Back\", \"Back to provider selection\": \"Back to provider selection\", \"Cancel changes\": \"Cancel changes\", \"Change name\": \"Change name\", Choose: \"Choose\", \"Clear search\": \"Clear search\", \"Clear text\": \"Clear text\", Close: \"Close\", \"Close modal\": \"Close modal\", \"Close navigation\": \"Close navigation\", \"Close sidebar\": \"Close sidebar\", \"Close Smart Picker\": \"Close Smart Picker\", \"Collapse menu\": \"Collapse menu\", \"Confirm changes\": \"Confirm changes\", Custom: \"Custom\", \"do not disturb\": \"do not disturb\", \"Edit item\": \"Edit item\", \"Enter link\": \"Enter link\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"Error getting related resources. Please contact your system administrator if you have any questions.\", \"External documentation for {name}\": \"External documentation for {name}\", Favorite: \"Favourite\", Flags: \"Flags\", \"Food & Drink\": \"Food & Drink\", \"Frequently used\": \"Frequently used\", Global: \"Global\", \"Go back to the list\": \"Go back to the list\", \"Hide password\": \"Hide password\", 'Load more \"{options}\"': 'Load more \"{options}\"', \"Message limit of {count} characters reached\": \"Message limit of {count} characters reached\", \"More items …\": \"More items …\", \"More options\": \"More options\", Next: \"Next\", \"No emoji found\": \"No emoji found\", \"No link provider found\": \"No link provider found\", \"No results\": \"No results\", Objects: \"Objects\", offline: \"offline\", online: \"online\", \"Open contact menu\": \"Open contact menu\", 'Open link to \"{resourceName}\"': 'Open link to \"{resourceName}\"', \"Open menu\": \"Open menu\", \"Open navigation\": \"Open navigation\", \"Open settings menu\": \"Open settings menu\", \"Password is secure\": \"Password is secure\", \"Pause slideshow\": \"Pause slideshow\", \"People & Body\": \"People & Body\", \"Pick a date\": \"Pick a date\", \"Pick a date and a time\": \"Pick a date and a time\", \"Pick a month\": \"Pick a month\", \"Pick a time\": \"Pick a time\", \"Pick a week\": \"Pick a week\", \"Pick a year\": \"Pick a year\", \"Pick an emoji\": \"Pick an emoji\", \"Please select a time zone:\": \"Please select a time zone:\", Previous: \"Previous\", \"Provider icon\": \"Provider icon\", \"Raw link {options}\": \"Raw link {options}\", \"Related resources\": \"Related resources\", Search: \"Search\", \"Search emoji\": \"Search emoji\", \"Search results\": \"Search results\", \"sec. ago\": \"sec. ago\", \"seconds ago\": \"seconds ago\", \"Select a tag\": \"Select a tag\", \"Select provider\": \"Select provider\", Selected: \"Selected\", Settings: \"Settings\", \"Settings navigation\": \"Settings navigation\", \"Show password\": \"Show password\", \"Smart Picker\": \"Smart Picker\", \"Smileys & Emotion\": \"Smileys & Emotion\", \"Start slideshow\": \"Start slideshow\", \"Start typing to search\": \"Start typing to search\", Submit: \"Submit\", Symbols: \"Symbols\", \"Travel & Places\": \"Travel & Places\", \"Type to search time zone\": \"Type to search time zone\", \"Unable to search the group\": \"Unable to search the group\", \"Undo changes\": \"Undo changes\", \"User status: {status}\": \"User status: {status}\", \"Write a message …\": \"Write a message …\" } }, { locale: \"eo\", translations: { \"{tag} (invisible)\": \"{tag} (kaŝita)\", \"{tag} (restricted)\": \"{tag} (limigita)\", \"a few seconds ago\": \"\", Actions: \"Agoj\", 'Actions for item with name \"{name}\"': \"\", Activities: \"Aktiveco\", \"Animals & Nature\": \"Bestoj & Naturo\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"Elektu\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"Fermu\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"Propra\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"Flagoj\", \"Food & Drink\": \"Manĝaĵo & Trinkaĵo\", \"Frequently used\": \"Ofte uzataj\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"La limo je {count} da literoj atingita\", \"More items …\": \"\", \"More options\": \"\", Next: \"Sekva\", \"No emoji found\": \"La emoĝio forestas\", \"No link provider found\": \"\", \"No results\": \"La rezulto forestas\", Objects: \"Objektoj\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"Payzi bildprezenton\", \"People & Body\": \"Homoj & Korpo\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"Elekti emoĝion \", \"Please select a time zone:\": \"\", Previous: \"Antaŭa\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"Serĉi\", \"Search emoji\": \"\", \"Search results\": \"Serĉrezultoj\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"Elektu etikedon\", \"Select provider\": \"\", Settings: \"Agordo\", \"Settings navigation\": \"Agorda navigado\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"Ridoj kaj Emocioj\", \"Start slideshow\": \"Komenci bildprezenton\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"Signoj\", \"Travel & Places\": \"Vojaĵoj & Lokoj\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"Ne eblas serĉi en la grupo\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"es\", translations: { \"{tag} (invisible)\": \"{tag} (invisible)\", \"{tag} (restricted)\": \"{tag} (restringido)\", \"a few seconds ago\": \"hace unos pocos segundos\", Actions: \"Acciones\", 'Actions for item with name \"{name}\"': 'Acciones para el elemento con nombre \"{name}\"', Activities: \"Actividades\", \"Animals & Nature\": \"Animales y naturaleza\", \"Any link\": \"Cualquier enlace\", \"Anything shared with the same group of people will show up here\": \"Cualquier cosa que sea compartida con el mismo grupo de personas se mostrará aquí\", \"Avatar of {displayName}\": \"Avatar de {displayName}\", \"Avatar of {displayName}, {status}\": \"Avatar de {displayName}, {status}\", away: \"ausente\", Back: \"Atrás\", \"Back to provider selection\": \"Volver a la selección de proveedor\", \"Cancel changes\": \"Cancelar cambios\", \"Change name\": \"Cambiar nombre\", Choose: \"Elegir\", \"Clear search\": \"Limpiar búsqueda\", \"Clear text\": \"Limpiar texto\", Close: \"Cerrar\", \"Close modal\": \"Cerrar modal\", \"Close navigation\": \"Cerrar navegación\", \"Close sidebar\": \"Cerrar barra lateral\", \"Close Smart Picker\": \"Cerrar selector inteligente\", \"Collapse menu\": \"Ocultar menú\", \"Confirm changes\": \"Confirmar cambios\", Custom: \"Personalizado\", \"do not disturb\": \"no molestar\", \"Edit item\": \"Editar elemento\", \"Enter link\": \"Ingrese enlace\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"Error al obtener recursos relacionados. Por favor, contacta a tu administrador del sistema si tienes alguna pregunta.\", \"External documentation for {name}\": \"Documentación externa para {name}\", Favorite: \"Favorito\", Flags: \"Banderas\", \"Food & Drink\": \"Comida y bebida\", \"Frequently used\": \"Usado con frecuenca\", Global: \"Global\", \"Go back to the list\": \"Volver a la lista\", \"Hide password\": \"Ocultar contraseña\", 'Load more \"{options}\"': 'Cargar más \"{options}\"', \"Message limit of {count} characters reached\": \"El mensaje ha alcanzado el límite de {count} caracteres\", \"More items …\": \"Más ítems...\", \"More options\": \"Más opciones\", Next: \"Siguiente\", \"No emoji found\": \"No hay ningún emoji\", \"No link provider found\": \"No se encontró ningún proveedor de enlaces\", \"No results\": \" Ningún resultado\", Objects: \"Objetos\", offline: \"fuera de línea\", online: \"en línea\", \"Open contact menu\": \"Abrir menú de contactos\", 'Open link to \"{resourceName}\"': 'Abrir enlace a \"{resourceName}\"', \"Open menu\": \"Abrir menú\", \"Open navigation\": \"Abrir navegación\", \"Open settings menu\": \"Abrir menú de ajustes\", \"Password is secure\": \"La contraseña es segura\", \"Pause slideshow\": \"Pausar la presentación \", \"People & Body\": \"Personas y cuerpos\", \"Pick a date\": \"Seleccione una fecha\", \"Pick a date and a time\": \"Seleccione una fecha y hora\", \"Pick a month\": \"Seleccione un mes\", \"Pick a time\": \"Seleccione una hora\", \"Pick a week\": \"Seleccione una semana\", \"Pick a year\": \"Seleccione un año\", \"Pick an emoji\": \"Elegir un emoji\", \"Please select a time zone:\": \"Por favor elige un huso de horario:\", Previous: \"Anterior\", \"Provider icon\": \"Ícono del proveedor\", \"Raw link {options}\": \"Enlace directo {options}\", \"Related resources\": \"Recursos relacionados\", Search: \"Buscar\", \"Search emoji\": \"Buscar emoji\", \"Search results\": \"Resultados de la búsqueda\", \"sec. ago\": \"hace segundos\", \"seconds ago\": \"segundos atrás\", \"Select a tag\": \"Seleccione una etiqueta\", \"Select provider\": \"Seleccione proveedor\", Selected: \"Seleccionado\", Settings: \"Ajustes\", \"Settings navigation\": \"Navegación por ajustes\", \"Show password\": \"Mostrar contraseña\", \"Smart Picker\": \"Selector inteligente\", \"Smileys & Emotion\": \"Smileys y emoticonos\", \"Start slideshow\": \"Iniciar la presentación\", \"Start typing to search\": \"Comience a escribir para buscar\", Submit: \"Enviar\", Symbols: \"Símbolos\", \"Travel & Places\": \"Viajes y lugares\", \"Type to search time zone\": \"Escribe para buscar un huso de horario\", \"Unable to search the group\": \"No es posible buscar en el grupo\", \"Undo changes\": \"Deshacer cambios\", \"User status: {status}\": \"Estatus del usuario: {status}\", \"Write a message …\": \"Escribe un mensaje …\" } }, { locale: \"es_419\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"es_AR\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"es_CL\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"es_CO\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"es_CR\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"es_DO\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"es_EC\", translations: { \"{tag} (invisible)\": \"{tag} (invisible)\", \"{tag} (restricted)\": \"{tag} (restricted)\", \"a few seconds ago\": \"hace unos segundos\", Actions: \"Acciones\", 'Actions for item with name \"{name}\"': 'Acciones para el elemento con nombre \"{name}\"', Activities: \"Actividades\", \"Animals & Nature\": \"Animales y Naturaleza\", \"Any link\": \"Cualquier enlace\", \"Anything shared with the same group of people will show up here\": \"Cualquier cosa compartida con el mismo grupo de personas aparecerá aquí.\", \"Avatar of {displayName}\": \"Avatar de {displayName}\", \"Avatar of {displayName}, {status}\": \"Avatar de {displayName}, {status}\", Back: \"Atrás\", \"Back to provider selection\": \"Volver a la selección de proveedor\", \"Cancel changes\": \"Cancelar cambios\", \"Change name\": \"Cambiar nombre\", Choose: \"Elegir\", \"Clear search\": \"Limpiar búsqueda\", \"Clear text\": \"Limpiar texto\", Close: \"Cerrar\", \"Close modal\": \"Cerrar modal\", \"Close navigation\": \"Cerrar navegación\", \"Close sidebar\": \"Cerrar barra lateral\", \"Close Smart Picker\": \"Cerrar selector inteligente\", \"Collapse menu\": \"Ocultar menú\", \"Confirm changes\": \"Confirmar cambios\", Custom: \"Personalizado\", \"Edit item\": \"Editar elemento\", \"Enter link\": \"Ingresar enlace\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"Error al obtener recursos relacionados. Por favor, contacta a tu administrador del sistema si tienes alguna pregunta.\", \"External documentation for {name}\": \"Documentación externa para {name}\", Favorite: \"Favorito\", Flags: \"Marcas\", \"Food & Drink\": \"Comida y Bebida\", \"Frequently used\": \"Frecuentemente utilizado\", Global: \"Global\", \"Go back to the list\": \"Volver a la lista\", \"Hide password\": \"Ocultar contraseña\", 'Load more \"{options}\"': \"\", \"Message limit of {count} characters reached\": \"Se ha alcanzado el límite de caracteres del mensaje {count}\", \"More items …\": \"Más elementos...\", \"More options\": \"Más opciones\", Next: \"Siguiente\", \"No emoji found\": \"No se encontró ningún emoji\", \"No link provider found\": \"No se encontró ningún proveedor de enlaces\", \"No results\": \"Sin resultados\", Objects: \"Objetos\", \"Open contact menu\": \"Abrir menú de contactos\", 'Open link to \"{resourceName}\"': 'Abrir enlace a \"{resourceName}\"', \"Open menu\": \"Abrir menú\", \"Open navigation\": \"Abrir navegación\", \"Open settings menu\": \"Abrir menú de configuración\", \"Password is secure\": \"La contraseña es segura\", \"Pause slideshow\": \"Pausar presentación de diapositivas\", \"People & Body\": \"Personas y Cuerpo\", \"Pick a date\": \"Seleccionar una fecha\", \"Pick a date and a time\": \"Seleccionar una fecha y una hora\", \"Pick a month\": \"Seleccionar un mes\", \"Pick a time\": \"Seleccionar una semana\", \"Pick a week\": \"Seleccionar una semana\", \"Pick a year\": \"Seleccionar un año\", \"Pick an emoji\": \"Seleccionar un emoji\", \"Please select a time zone:\": \"Por favor, selecciona una zona horaria:\", Previous: \"Anterior\", \"Provider icon\": \"Ícono del proveedor\", \"Raw link {options}\": \"Enlace directo {options}\", \"Related resources\": \"Recursos relacionados\", Search: \"Buscar\", \"Search emoji\": \"Buscar emoji\", \"Search results\": \"Resultados de búsqueda\", \"sec. ago\": \"hace segundos\", \"seconds ago\": \"Segundos atrás\", \"Select a tag\": \"Seleccionar una etiqueta\", \"Select provider\": \"Seleccionar proveedor\", Selected: \"\", Settings: \"Configuraciones\", \"Settings navigation\": \"Navegación de configuraciones\", \"Show password\": \"Mostrar contraseña\", \"Smart Picker\": \"Selector inteligente\", \"Smileys & Emotion\": \"Caritas y Emociones\", \"Start slideshow\": \"Iniciar presentación de diapositivas\", \"Start typing to search\": \"Comienza a escribir para buscar\", Submit: \"Enviar\", Symbols: \"Símbolos\", \"Travel & Places\": \"Viajes y Lugares\", \"Type to search time zone\": \"Escribe para buscar la zona horaria\", \"Unable to search the group\": \"No se puede buscar en el grupo\", \"Undo changes\": \"Deshacer cambios\", \"Write a message …\": \"\" } }, { locale: \"es_GT\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"es_HN\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"es_MX\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"es_NI\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"es_PA\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"es_PE\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"es_PR\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"es_PY\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"es_SV\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"es_UY\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"et_EE\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"eu\", translations: { \"{tag} (invisible)\": \"{tag} (ikusezina)\", \"{tag} (restricted)\": \"{tag} (mugatua)\", \"a few seconds ago\": \"duela segundo batzuk\", Actions: \"Ekintzak\", 'Actions for item with name \"{name}\"': '\"{name}\" izeneko elementuaren ekintzak', Activities: \"Jarduerak\", \"Animals & Nature\": \"Animaliak eta Natura\", \"Any link\": \"Edozein esteka\", \"Anything shared with the same group of people will show up here\": \"Pertsona-talde berarekin partekatutako edozer agertuko da hemen\", \"Avatar of {displayName}\": \"{displayName}-(e)n irudia\", \"Avatar of {displayName}, {status}\": \"{displayName} -(e)n irudia, {status}\", Back: \"Atzera\", \"Back to provider selection\": \"Itzuli hornitzaileen hautapenera\", \"Cancel changes\": \"Ezeztatu aldaketak\", \"Change name\": \"Aldatu izena\", Choose: \"Aukeratu\", \"Clear search\": \"Garbitu bilaketa\", \"Clear text\": \"Garbitu testua\", Close: \"Itxi\", \"Close modal\": \"Itxi modala\", \"Close navigation\": \"Itxi nabigazioa\", \"Close sidebar\": \"Itxi albo-barra\", \"Close Smart Picker\": \"Itxi hautatzaile adimenduna\", \"Collapse menu\": \"Tolestu menua\", \"Confirm changes\": \"Baieztatu aldaketak\", Custom: \"Pertsonalizatua\", \"Edit item\": \"Editatu elementua\", \"Enter link\": \"Sartu esteka\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"Errore bat gertatu da erlazionatutako baliabideak eskuratzean. Jarri harremanetan zure sistemaren administratzailearekin galderarik baduzu.\", \"External documentation for {name}\": \"{name}-ren kanpoko dokumentazioa\", Favorite: \"Gogokoa\", Flags: \"Banderak\", \"Food & Drink\": \"Janaria eta edariak\", \"Frequently used\": \"Askotan erabilia\", Global: \"Globala\", \"Go back to the list\": \"Bueltatu zerrendara\", \"Hide password\": \"Ezkutatu pasahitza\", 'Load more \"{options}\"': 'Kargatu \"{options}\" gehiago', \"Message limit of {count} characters reached\": \"Mezuaren {count} karaketere-limitera heldu zara\", \"More items …\": \"Elementu gehiago …\", \"More options\": \"Aukera gehiago\", Next: \"Hurrengoa\", \"No emoji found\": \"Ez da emojirik aurkitu\", \"No link provider found\": \"Ez da aurkitu esteka-hornitzailerik\", \"No results\": \"Emaitzarik ez\", Objects: \"Objektuak\", \"Open contact menu\": \"Ireki kontaktuen menua\", 'Open link to \"{resourceName}\"': 'Ireki \"{resourceName}\" esteka', \"Open menu\": \"Ireki menua\", \"Open navigation\": \"Ireki nabigazioa\", \"Open settings menu\": \"Ireki ezarpenen menua\", \"Password is secure\": \"Pasahitza segurua da\", \"Pause slideshow\": \"Pausatu diaporama\", \"People & Body\": \"Jendea eta gorputza\", \"Pick a date\": \"Aukeratu data bat\", \"Pick a date and a time\": \"Aukeratu data eta ordu bat\", \"Pick a month\": \"Aukeratu hilabete bat\", \"Pick a time\": \"Aukeratu ordu bat\", \"Pick a week\": \"Aukeratu aste bat\", \"Pick a year\": \"Aukeratu urte bat\", \"Pick an emoji\": \"Hautatu emoji bat\", \"Please select a time zone:\": \"Mesedez hautatu ordu-zona bat:\", Previous: \"Aurrekoa\", \"Provider icon\": \"Hornitzailearen ikonoa\", \"Raw link {options}\": \"Formaturik gabeko esteka {aukerak}\", \"Related resources\": \"Erlazionatutako baliabideak\", Search: \"Bilatu\", \"Search emoji\": \"Bilatu emojiak\", \"Search results\": \"Bilaketa emaitzak\", \"sec. ago\": \"duela seg.\", \"seconds ago\": \"duela segundo\", \"Select a tag\": \"Hautatu etiketa bat\", \"Select provider\": \"Hautatu hornitzailea\", Selected: \"Hautatuta\", Settings: \"Ezarpenak\", \"Settings navigation\": \"Nabigazio ezarpenak\", \"Show password\": \"Erakutsi pasahitza\", \"Smart Picker\": \"Hautatzaile adimenduna\", \"Smileys & Emotion\": \"Smileyak eta emozioa\", \"Start slideshow\": \"Hasi diaporama\", \"Start typing to search\": \"Hasi idazten bilatzeko\", Submit: \"Bidali\", Symbols: \"Sinboloak\", \"Travel & Places\": \"Bidaiak eta lekuak\", \"Type to search time zone\": \"Idatzi ordu-zona bat bilatzeko\", \"Unable to search the group\": \"Ezin izan da taldea bilatu\", \"Undo changes\": \"Aldaketak desegin\", \"Write a message …\": \"Idatzi mezu bat…\" } }, { locale: \"fa\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"fi\", translations: { \"{tag} (invisible)\": \"{tag} (näkymätön)\", \"{tag} (restricted)\": \"{tag} (rajoitettu)\", \"a few seconds ago\": \"\", Actions: \"Toiminnot\", 'Actions for item with name \"{name}\"': \"\", Activities: \"Aktiviteetit\", \"Animals & Nature\": \"Eläimet & luonto\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"Käyttäjän {displayName} avatar\", \"Avatar of {displayName}, {status}\": \"Käyttäjän {displayName} avatar, {status}\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"Peruuta muutokset\", \"Change name\": \"\", Choose: \"Valitse\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"Sulje\", \"Close modal\": \"\", \"Close navigation\": \"Sulje navigaatio\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"Vahvista muutokset\", Custom: \"Mukautettu\", \"Edit item\": \"Muokkaa kohdetta\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"Liput\", \"Food & Drink\": \"Ruoka & juoma\", \"Frequently used\": \"Usein käytetyt\", Global: \"Yleinen\", \"Go back to the list\": \"Siirry takaisin listaan\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"Viestin merkken enimmäisimäärä {count} täynnä \", \"More items …\": \"\", \"More options\": \"\", Next: \"Seuraava\", \"No emoji found\": \"Emojia ei löytynyt\", \"No link provider found\": \"\", \"No results\": \"Ei tuloksia\", Objects: \"Esineet & asiat\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"Avaa navigaatio\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"Keskeytä diaesitys\", \"People & Body\": \"Ihmiset & keho\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"Valitse emoji\", \"Please select a time zone:\": \"Valitse aikavyöhyke:\", Previous: \"Edellinen\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"Etsi\", \"Search emoji\": \"\", \"Search results\": \"Hakutulokset\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"Valitse tagi\", \"Select provider\": \"\", Settings: \"Asetukset\", \"Settings navigation\": \"Asetusnavigaatio\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"Hymiöt & tunteet\", \"Start slideshow\": \"Aloita diaesitys\", \"Start typing to search\": \"\", Submit: \"Lähetä\", Symbols: \"Symbolit\", \"Travel & Places\": \"Matkustus & kohteet\", \"Type to search time zone\": \"Kirjoita etsiäksesi aikavyöhyke\", \"Unable to search the group\": \"Ryhmää ei voi hakea\", \"Undo changes\": \"Kumoa muutokset\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"fo\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"fr\", translations: { \"{tag} (invisible)\": \"{tag} (invisible)\", \"{tag} (restricted)\": \"{tag} (restreint)\", \"a few seconds ago\": \"il y a quelques instants\", Actions: \"Actions\", 'Actions for item with name \"{name}\"': `Actions de l'entrée avec le nom \"{name}\"`, Activities: \"Activités\", \"Animals & Nature\": \"Animaux & Nature\", \"Any link\": \"N'importe quel lien\", \"Anything shared with the same group of people will show up here\": \"Tout ce qui est partagé avec le même groupe de personnes apparaîtra ici\", \"Avatar of {displayName}\": \"Avatar de {displayName}\", \"Avatar of {displayName}, {status}\": \"Avatar de {displayName}, {status}\", away: \"absent\", Back: \"Retour\", \"Back to provider selection\": \"Revenir à la sélection du fournisseur\", \"Cancel changes\": \"Annuler les modifications\", \"Change name\": \"Modifier le nom\", Choose: \"Choisir\", \"Clear search\": \"Effacer la recherche\", \"Clear text\": \"Effacer le texte\", Close: \"Fermer\", \"Close modal\": \"Fermer la fenêtre\", \"Close navigation\": \"Fermer la navigation\", \"Close sidebar\": \"Fermer la barre latérale\", \"Close Smart Picker\": \"Fermer le sélecteur intelligent\", \"Collapse menu\": \"Réduire le menu\", \"Confirm changes\": \"Confirmer les modifications\", Custom: \"Personnalisé\", \"do not disturb\": \"ne pas déranger\", \"Edit item\": \"Éditer l'élément\", \"Enter link\": \"Saisissez le lien\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"Erreur lors de la récupération des ressources liées. Contactez votre administrateur système pour répondre à vos éventuelles questions.\", \"External documentation for {name}\": \"Documentation externe pour {name}\", Favorite: \"Favori\", Flags: \"Drapeaux\", \"Food & Drink\": \"Nourriture & Boissons\", \"Frequently used\": \"Utilisés fréquemment\", Global: \"Global\", \"Go back to the list\": \"Retourner à la liste\", \"Hide password\": \"Cacher le mot de passe\", 'Load more \"{options}\"': `Charger d'avantage \"{options}\"`, \"Message limit of {count} characters reached\": \"Limite de messages de {count} caractères atteinte\", \"More items …\": \"Plus d'éléments...\", \"More options\": \"Plus d'options\", Next: \"Suivant\", \"No emoji found\": \"Pas d’émoji trouvé\", \"No link provider found\": \"Aucun fournisseur de lien trouvé\", \"No results\": \"Aucun résultat\", Objects: \"Objets\", offline: \"hors ligne\", online: \"en ligne\", \"Open contact menu\": \"Ouvrir le menu Contact\", 'Open link to \"{resourceName}\"': 'Ouvrir le lien vers \"{resourceName}\"', \"Open menu\": \"Ouvrir le menu\", \"Open navigation\": \"Ouvrir la navigation\", \"Open settings menu\": \"Ouvrir le menu Paramètres\", \"Password is secure\": \"Le mot de passe est sécurisé\", \"Pause slideshow\": \"Mettre le diaporama en pause\", \"People & Body\": \"Personnes & Corps\", \"Pick a date\": \"Sélectionner une date\", \"Pick a date and a time\": \"Sélectionner une date et une heure\", \"Pick a month\": \"Sélectionner un mois\", \"Pick a time\": \"Sélectionner une heure\", \"Pick a week\": \"Sélectionner une semaine\", \"Pick a year\": \"Sélectionner une année\", \"Pick an emoji\": \"Choisissez un émoji\", \"Please select a time zone:\": \"Sélectionnez un fuseau horaire : \", Previous: \"Précédent\", \"Provider icon\": \"Icône du fournisseur\", \"Raw link {options}\": \"Lien brut {options}\", \"Related resources\": \"Ressources liées\", Search: \"Chercher\", \"Search emoji\": \"Rechercher un emoji\", \"Search results\": \"Résultats de recherche\", \"sec. ago\": \"il y a sec.\", \"seconds ago\": \"il y a secondes\", \"Select a tag\": \"Sélectionnez une balise\", \"Select provider\": \"Sélectionner un fournisseur\", Selected: \"sélectionné\", Settings: \"Paramètres\", \"Settings navigation\": \"Navigation dans les paramètres\", \"Show password\": \"Afficher le mot de passe\", \"Smart Picker\": \"Sélecteur intelligent\", \"Smileys & Emotion\": \"Smileys & Émotions\", \"Start slideshow\": \"Démarrer le diaporama\", \"Start typing to search\": \"Commencez à écrire pour rechercher\", Submit: \"Valider\", Symbols: \"Symboles\", \"Travel & Places\": \"Voyage & Lieux\", \"Type to search time zone\": \"Saisissez les premiers lettres pour rechercher un fuseau horaire\", \"Unable to search the group\": \"Impossible de chercher le groupe\", \"Undo changes\": \"Annuler les changements\", \"User status: {status}\": \"Statut de l'utilisateur : {status}\", \"Write a message …\": \"Ecrire un message...\" } }, { locale: \"gd\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"gl\", translations: { \"{tag} (invisible)\": \"{tag} (invisíbel)\", \"{tag} (restricted)\": \"{tag} (restrinxido)\", \"a few seconds ago\": \"hai uns segundos\", Actions: \"Accións\", 'Actions for item with name \"{name}\"': \"Accións para o elemento co nome «{name}»\", Activities: \"Actividades\", \"Animals & Nature\": \"Animais e natureza\", \"Any link\": \"Calquera ligazón\", \"Anything shared with the same group of people will show up here\": \"Todo o que se comparta co mesmo grupo de persoas aparecerá aquí\", \"Avatar of {displayName}\": \"Avatar de {displayName}\", \"Avatar of {displayName}, {status}\": \"Avatar de {displayName}, {status}\", away: \"ausente\", Back: \"Atrás\", \"Back to provider selection\": \"Volver á selección do provedor\", \"Cancel changes\": \"Cancelar os cambios\", \"Change name\": \"Cambiar o nome\", Choose: \"Escoller\", \"Clear search\": \"Limpar a busca\", \"Clear selected\": \"Limpar o seleccionado\", \"Clear text\": \"Limpar o texto\", Close: \"Pechar\", \"Close navigation\": \"Pechar a navegación\", \"Close sidebar\": \"Pechar a barra lateral\", \"Close Smart Picker\": \"Pechar o Selector intelixente\", \"Collapse menu\": \"Contraer o menú\", \"Confirm changes\": \"Confirma os cambios\", Custom: \"Personalizado\", \"Deselect {option}\": \"Desmarcar {opción}\", \"do not disturb\": \"non molestar\", \"Edit item\": \"Editar o elemento\", \"Enter link\": \"Introducir a ligazón\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"Produciuse un erro ao obter os recursos relacionados. Póñase en contacto coa administración do seu sistema se ten algunha dúbida.\", \"External documentation for {name}\": \"Documentación externa para {name}\", Favorite: \"Favorito\", Flags: \"Bandeiras\", \"Food & Drink\": \"Comida e bebida\", \"Frequently used\": \"Usado con frecuencia\", Global: \"Global\", \"Go back to the list\": \"Volver á lista\", \"Hide password\": \"Agochar o contrasinal\", 'Load more \"{options}\"': \"Cargar máis «{options}»\", \"Message limit of {count} characters reached\": \"Acadouse o límite de {count} caracteres por mensaxe\", \"More items …\": \"Máis elementos…\", \"More options\": \"Máis opcións\", Next: \"Seguinte\", \"No emoji found\": \"Non se atopou ningún «emoji»\", \"No link provider found\": \"Non se atopou ningún provedor de ligazóns\", \"No results\": \"Sen resultados\", Objects: \"Obxectos\", offline: \"desconectado\", online: \"conectado\", \"Open contact menu\": \"Abrir o menú de contactos\", 'Open link to \"{resourceName}\"': \"Abrir a ligazón a «{resourceName}»\", \"Open menu\": \"Abrir o menú\", \"Open navigation\": \"Abrir a navegación\", \"Open settings menu\": \"Abrir o menú de axustes\", \"Password is secure\": \"O contrasinal é seguro\", \"Pause slideshow\": \"Pausar o diaporama\", \"People & Body\": \"Persoas e corpo\", \"Pick a date\": \"Escolla unha data\", \"Pick a date and a time\": \"Escolle unha data e unha hora\", \"Pick a month\": \"Escolla un mes\", \"Pick a time\": \"Escolla unha hora\", \"Pick a week\": \"Escolla unha semana\", \"Pick a year\": \"Escolla un ano\", \"Pick an emoji\": \"Escolla un «emoji»\", \"Please select a time zone:\": \"Escolla un fuso horario:\", Previous: \"Anterir\", \"Provider icon\": \"Icona do provedor\", \"Raw link {options}\": \"Ligazón sen procesar {options}\", \"Related resources\": \"Recursos relacionados\", Search: \"Buscar\", \"Search emoji\": \"Buscar «emoji»\", \"Search for options\": \"Buscar por opcións\", \"Search for time zone\": \"Buscar por fuso horario\", \"Search results\": \"Resultados da busca\", \"sec. ago\": \"segs. atrás\", \"seconds ago\": \"segundos atrás\", \"Select a tag\": \"Seleccione unha etiqueta\", \"Select provider\": \"Seleccionar provedor\", Selected: \"Seleccionado\", Settings: \"Axustes\", \"Settings navigation\": \"Navegación polos axustes\", \"Show password\": \"Amosar o contrasinal\", \"Smart Picker\": \"Selector intelixente\", \"Smileys & Emotion\": \"Sorrisos e emocións\", \"Start slideshow\": \"Iniciar o diaporama\", \"Start typing to search\": \"Comece a escribir para buscar\", Submit: \"Enviar\", Symbols: \"Símbolos\", \"Travel & Places\": \"Viaxes e lugares\", \"Type to search time zone\": \"Escriba para buscar o fuso horario\", \"Unable to search the group\": \"Non foi posíbel buscar o grupo\", \"Undo changes\": \"Desfacer os cambios\", \"User status: {status}\": \"Estado do usuario: {status}\", \"Write a message …\": \"Escribir unha mensaxe…\" } }, { locale: \"he\", translations: { \"{tag} (invisible)\": \"{tag} (נסתר)\", \"{tag} (restricted)\": \"{tag} (מוגבל)\", \"a few seconds ago\": \"לפני מספר שניות\", Actions: \"פעולות\", 'Actions for item with name \"{name}\"': \"פעולות לפריט בשם „{name}”\", Activities: \"פעילויות\", \"Animals & Nature\": \"חיות וטבע\", \"Any link\": \"קישור כלשהו\", \"Anything shared with the same group of people will show up here\": \"כל מה שמשותף עם אותה קבוצת האנשים יופיע כאן\", \"Avatar of {displayName}\": \"תמונה ייצוגית של {displayName}\", \"Avatar of {displayName}, {status}\": \"תמונה ייצוגית של {displayName}, {status}\", Back: \"חזרה\", \"Back to provider selection\": \"חזרה לבחירת ספק\", \"Cancel changes\": \"ביטול שינויים\", \"Change name\": \"החלפת שם\", Choose: \"בחירה\", \"Clear search\": \"פינוי חיפוש\", \"Clear text\": \"פינוי טקסט\", Close: \"סגירה\", \"Close modal\": \"סגירת החלונית\", \"Close navigation\": \"סגירת הניווט\", \"Close sidebar\": \"סגירת סרגל הצד\", \"Close Smart Picker\": \"סגירת הבורר החכם\", \"Collapse menu\": \"צמצום התפריט\", \"Confirm changes\": \"אישור השינויים\", Custom: \"בהתאמה אישית\", \"Edit item\": \"עריכת פריט\", \"Enter link\": \"מילוי קישור\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"שגיאה בקבלת המשאבים הקשורים. נא ליצור קשר עם הנהלת המערכת אם יש לך שאלות.\", \"External documentation for {name}\": \"תיעוד חיצוני עבור {name}\", Favorite: \"למועדפים\", Flags: \"דגלים\", \"Food & Drink\": \"מזון ומשקאות\", \"Frequently used\": \"בשימוש תדיר\", Global: \"כללי\", \"Go back to the list\": \"חזרה לרשימה\", \"Hide password\": \"הסתרת סיסמה\", 'Load more \"{options}\"': \"\", \"Message limit of {count} characters reached\": \"הגעת למגבלה של {count} תווים\", \"More items …\": \"פריטים נוספים…\", \"More options\": \"אפשרויות נוספות\", Next: \"הבא\", \"No emoji found\": \"לא נמצא אמוג׳י\", \"No link provider found\": \"לא נמצא ספק קישורים\", \"No results\": \"אין תוצאות\", Objects: \"חפצים\", \"Open contact menu\": \"פתיחת תפריט קשר\", 'Open link to \"{resourceName}\"': \"פתיחת קישור אל „{resourceName}”\", \"Open menu\": \"פתיחת תפריט\", \"Open navigation\": \"פתיחת ניווט\", \"Open settings menu\": \"פתיחת תפריט הגדרות\", \"Password is secure\": \"הסיסמה מאובטחת\", \"Pause slideshow\": \"השהיית מצגת\", \"People & Body\": \"אנשים וגוף\", \"Pick a date\": \"נא לבחור תאריך\", \"Pick a date and a time\": \"נא לבחור תאריך ושעה\", \"Pick a month\": \"נא לבחור חודש\", \"Pick a time\": \"נא לבחור שעה\", \"Pick a week\": \"נא לבחור שבוע\", \"Pick a year\": \"נא לבחור שנה\", \"Pick an emoji\": \"נא לבחור אמוג׳י\", \"Please select a time zone:\": \"נא לבחור אזור זמן:\", Previous: \"הקודם\", \"Provider icon\": \"סמל ספק\", \"Raw link {options}\": \"קישור גולמי {options}\", \"Related resources\": \"משאבים קשורים\", Search: \"חיפוש\", \"Search emoji\": \"חיפוש אמוג׳י\", \"Search results\": \"תוצאות חיפוש\", \"sec. ago\": \"לפני מספר שניות\", \"seconds ago\": \"לפני מס׳ שניות\", \"Select a tag\": \"בחירת תגית\", \"Select provider\": \"בחירת ספק\", Selected: \"\", Settings: \"הגדרות\", \"Settings navigation\": \"ניווט בהגדרות\", \"Show password\": \"הצגת סיסמה\", \"Smart Picker\": \"בורר חכם\", \"Smileys & Emotion\": \"חייכנים ורגשונים\", \"Start slideshow\": \"התחלת המצגת\", \"Start typing to search\": \"התחלת הקלדה מחפשת\", Submit: \"הגשה\", Symbols: \"סמלים\", \"Travel & Places\": \"טיולים ומקומות\", \"Type to search time zone\": \"יש להקליד כדי לחפש אזור זמן\", \"Unable to search the group\": \"לא ניתן לחפש בקבוצה\", \"Undo changes\": \"ביטול שינויים\", \"Write a message …\": \"\" } }, { locale: \"hi_IN\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"hr\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"hsb\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"hu\", translations: { \"{tag} (invisible)\": \"{tag} (láthatatlan)\", \"{tag} (restricted)\": \"{tag} (korlátozott)\", \"a few seconds ago\": \"\", Actions: \"Műveletek\", 'Actions for item with name \"{name}\"': \"\", Activities: \"Tevékenységek\", \"Animals & Nature\": \"Állatok és természet\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"Minden, amit ugyanazzal a csoporttal oszt meg, itt fog megjelenni\", \"Avatar of {displayName}\": \"{displayName} profilképe\", \"Avatar of {displayName}, {status}\": \"{displayName} profilképe, {status}\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"Változtatások elvetése\", \"Change name\": \"\", Choose: \"Válassszon\", \"Clear search\": \"\", \"Clear text\": \"Szöveg törlése\", Close: \"Bezárás\", \"Close modal\": \"Ablak bezárása\", \"Close navigation\": \"Navigáció bezárása\", \"Close sidebar\": \"Oldalsáv bezárása\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"Változtatások megerősítése\", Custom: \"Egyéni\", \"Edit item\": \"Elem szerkesztése\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"Kedvenc\", Flags: \"Zászlók\", \"Food & Drink\": \"Étel és ital\", \"Frequently used\": \"Gyakran használt\", Global: \"Globális\", \"Go back to the list\": \"Ugrás vissza a listához\", \"Hide password\": \"Jelszó elrejtése\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"{count} karakteres üzenetkorlát elérve\", \"More items …\": \"További elemek...\", \"More options\": \"\", Next: \"Következő\", \"No emoji found\": \"Nem található emodzsi\", \"No link provider found\": \"\", \"No results\": \"Nincs találat\", Objects: \"Tárgyak\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"Navigáció megnyitása\", \"Open settings menu\": \"\", \"Password is secure\": \"A jelszó biztonságos\", \"Pause slideshow\": \"Diavetítés szüneteltetése\", \"People & Body\": \"Emberek és test\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"Válasszon egy emodzsit\", \"Please select a time zone:\": \"Válasszon időzónát:\", Previous: \"Előző\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"Kapcsolódó erőforrások\", Search: \"Keresés\", \"Search emoji\": \"\", \"Search results\": \"Találatok\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"Válasszon címkét\", \"Select provider\": \"\", Settings: \"Beállítások\", \"Settings navigation\": \"Navigáció a beállításokban\", \"Show password\": \"Jelszó megjelenítése\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"Mosolyok és érzelmek\", \"Start slideshow\": \"Diavetítés indítása\", \"Start typing to search\": \"\", Submit: \"Beküldés\", Symbols: \"Szimbólumok\", \"Travel & Places\": \"Utazás és helyek\", \"Type to search time zone\": \"Gépeljen az időzóna kereséséhez\", \"Unable to search the group\": \"A csoport nem kereshető\", \"Undo changes\": \"Változtatások visszavonása\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"Írjon egy üzenetet, használja a „@”-ot valaki megemlítéséhet, illetve a „:”-ot az emodzsik automatikus kiegészítéséhez…\" } }, { locale: \"hy\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"ia\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"id\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"ig\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"is\", translations: { \"{tag} (invisible)\": \"{tag} (ósýnilegt)\", \"{tag} (restricted)\": \"{tag} (takmarkað)\", \"a few seconds ago\": \"\", Actions: \"Aðgerðir\", 'Actions for item with name \"{name}\"': \"\", Activities: \"Aðgerðir\", \"Animals & Nature\": \"Dýr og náttúra\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"Velja\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"Loka\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"Sérsniðið\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"Flögg\", \"Food & Drink\": \"Matur og drykkur\", \"Frequently used\": \"Oftast notað\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"Næsta\", \"No emoji found\": \"Ekkert tjáningartákn fannst\", \"No link provider found\": \"\", \"No results\": \"Engar niðurstöður\", Objects: \"Hlutir\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"Gera hlé á skyggnusýningu\", \"People & Body\": \"Fólk og líkami\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"Veldu tjáningartákn\", \"Please select a time zone:\": \"\", Previous: \"Fyrri\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"Leita\", \"Search emoji\": \"\", \"Search results\": \"Leitarniðurstöður\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"Veldu merki\", \"Select provider\": \"\", Settings: \"Stillingar\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"Broskallar og tilfinningar\", \"Start slideshow\": \"Byrja skyggnusýningu\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"Tákn\", \"Travel & Places\": \"Staðir og ferðalög\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"Get ekki leitað í hópnum\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"it\", translations: { \"{tag} (invisible)\": \"{tag} (invisibile)\", \"{tag} (restricted)\": \"{tag} (limitato)\", \"a few seconds ago\": \"\", Actions: \"Azioni\", 'Actions for item with name \"{name}\"': \"\", Activities: \"Attività\", \"Animals & Nature\": \"Animali e natura\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"Tutto ciò che è stato condiviso con lo stesso gruppo di persone viene visualizzato qui\", \"Avatar of {displayName}\": \"Avatar di {displayName}\", \"Avatar of {displayName}, {status}\": \"Avatar di {displayName}, {status}\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"Annulla modifiche\", \"Change name\": \"\", Choose: \"Scegli\", \"Clear search\": \"\", \"Clear text\": \"Cancella il testo\", Close: \"Chiudi\", \"Close modal\": \"Chiudi il messaggio modale\", \"Close navigation\": \"Chiudi la navigazione\", \"Close sidebar\": \"Chiudi la barra laterale\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"Conferma modifiche\", Custom: \"Personalizzato\", \"Edit item\": \"Modifica l'elemento\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"Preferito\", Flags: \"Bandiere\", \"Food & Drink\": \"Cibo e bevande\", \"Frequently used\": \"Usati di frequente\", Global: \"Globale\", \"Go back to the list\": \"Torna all'elenco\", \"Hide password\": \"Nascondi la password\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"Limite dei messaggi di {count} caratteri raggiunto\", \"More items …\": \"Più elementi ...\", \"More options\": \"\", Next: \"Successivo\", \"No emoji found\": \"Nessun emoji trovato\", \"No link provider found\": \"\", \"No results\": \"Nessun risultato\", Objects: \"Oggetti\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"Apri la navigazione\", \"Open settings menu\": \"\", \"Password is secure\": \"La password è sicura\", \"Pause slideshow\": \"Presentazione in pausa\", \"People & Body\": \"Persone e corpo\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"Scegli un emoji\", \"Please select a time zone:\": \"Si prega di selezionare un fuso orario:\", Previous: \"Precedente\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"Risorse correlate\", Search: \"Cerca\", \"Search emoji\": \"\", \"Search results\": \"Risultati di ricerca\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"Seleziona un'etichetta\", \"Select provider\": \"\", Settings: \"Impostazioni\", \"Settings navigation\": \"Navigazione delle impostazioni\", \"Show password\": \"Mostra la password\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"Faccine ed emozioni\", \"Start slideshow\": \"Avvia presentazione\", \"Start typing to search\": \"\", Submit: \"Invia\", Symbols: \"Simboli\", \"Travel & Places\": \"Viaggi e luoghi\", \"Type to search time zone\": \"Digita per cercare un fuso orario\", \"Unable to search the group\": \"Impossibile cercare il gruppo\", \"Undo changes\": \"Cancella i cambiamenti\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': 'Scrivi un messaggio, \"@\" per menzionare qualcuno, \":\" per il completamento automatico delle emoji ...' } }, { locale: \"ja\", translations: { \"{tag} (invisible)\": \"{タグ} (不可視)\", \"{tag} (restricted)\": \"{タグ} (制限付)\", \"a few seconds ago\": \"\", Actions: \"操作\", 'Actions for item with name \"{name}\"': \"\", Activities: \"アクティビティ\", \"Animals & Nature\": \"動物と自然\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"同じグループで共有しているものは、全てここに表示されます\", \"Avatar of {displayName}\": \"{displayName} のアバター\", \"Avatar of {displayName}, {status}\": \"{displayName}, {status} のアバター\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"変更をキャンセル\", \"Change name\": \"\", Choose: \"選択\", \"Clear search\": \"\", \"Clear text\": \"テキストをクリア\", Close: \"閉じる\", \"Close modal\": \"モーダルを閉じる\", \"Close navigation\": \"ナビゲーションを閉じる\", \"Close sidebar\": \"サイドバーを閉じる\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"変更を承認\", Custom: \"カスタム\", \"Edit item\": \"編集\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"お気に入り\", Flags: \"国旗\", \"Food & Drink\": \"食べ物と飲み物\", \"Frequently used\": \"よく使うもの\", Global: \"全体\", \"Go back to the list\": \"リストに戻る\", \"Hide password\": \"パスワードを非表示\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"{count} 文字のメッセージ上限に達しています\", \"More items …\": \"他のアイテム\", \"More options\": \"\", Next: \"次\", \"No emoji found\": \"絵文字が見つかりません\", \"No link provider found\": \"\", \"No results\": \"なし\", Objects: \"物\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"ナビゲーションを開く\", \"Open settings menu\": \"\", \"Password is secure\": \"パスワードは保護されています\", \"Pause slideshow\": \"スライドショーを一時停止\", \"People & Body\": \"様々な人と体の部位\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"絵文字を選択\", \"Please select a time zone:\": \"タイムゾーンを選んで下さい:\", Previous: \"前\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"関連リソース\", Search: \"検索\", \"Search emoji\": \"\", \"Search results\": \"検索結果\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"タグを選択\", \"Select provider\": \"\", Settings: \"設定\", \"Settings navigation\": \"ナビゲーション設定\", \"Show password\": \"パスワードを表示\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"感情表現\", \"Start slideshow\": \"スライドショーを開始\", \"Start typing to search\": \"\", Submit: \"提出\", Symbols: \"記号\", \"Travel & Places\": \"旅行と場所\", \"Type to search time zone\": \"タイムゾーン検索のため入力してください\", \"Unable to search the group\": \"グループを検索できません\", \"Undo changes\": \"変更を取り消し\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': 'メッセージを記入、\"@\"でメンション、\":\"で絵文字の自動補完 ...' } }, { locale: \"ka\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"ka_GE\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"kab\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"kk\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"km\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"kn\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"ko\", translations: { \"{tag} (invisible)\": \"{tag}(숨김)\", \"{tag} (restricted)\": \"{tag}(제한)\", \"a few seconds ago\": \"방금 전\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"활동\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"la\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"lb\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"lo\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"lt_LT\", translations: { \"{tag} (invisible)\": \"{tag} (nematoma)\", \"{tag} (restricted)\": \"{tag} (apribota)\", \"a few seconds ago\": \"\", Actions: \"Veiksmai\", 'Actions for item with name \"{name}\"': \"\", Activities: \"Veiklos\", \"Animals & Nature\": \"Gyvūnai ir gamta\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"Pasirinkti\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"Užverti\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"Tinkinti\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"Vėliavos\", \"Food & Drink\": \"Maistas ir gėrimai\", \"Frequently used\": \"Dažniausiai naudoti\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"Pasiekta {count} simbolių žinutės riba\", \"More items …\": \"\", \"More options\": \"\", Next: \"Kitas\", \"No emoji found\": \"Nerasta jaustukų\", \"No link provider found\": \"\", \"No results\": \"Nėra rezultatų\", Objects: \"Objektai\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"Pristabdyti skaidrių rodymą\", \"People & Body\": \"Žmonės ir kūnas\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"Pasirinkti jaustuką\", \"Please select a time zone:\": \"\", Previous: \"Ankstesnis\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"Ieškoti\", \"Search emoji\": \"\", \"Search results\": \"Paieškos rezultatai\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"Pasirinkti žymę\", \"Select provider\": \"\", Settings: \"Nustatymai\", \"Settings navigation\": \"Naršymas nustatymuose\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"Šypsenos ir emocijos\", \"Start slideshow\": \"Pradėti skaidrių rodymą\", \"Start typing to search\": \"\", Submit: \"Pateikti\", Symbols: \"Simboliai\", \"Travel & Places\": \"Kelionės ir vietos\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"Nepavyko atlikti paiešką grupėje\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"lv\", translations: { \"{tag} (invisible)\": \"{tag} (neredzams)\", \"{tag} (restricted)\": \"{tag} (ierobežots)\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"Izvēlēties\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"Aizvērt\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"Nākamais\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"Nav rezultātu\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"Pauzēt slaidrādi\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"Iepriekšējais\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"Izvēlēties birku\", \"Select provider\": \"\", Settings: \"Iestatījumi\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"Sākt slaidrādi\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"mk\", translations: { \"{tag} (invisible)\": \"{tag} (невидливо)\", \"{tag} (restricted)\": \"{tag} (ограничено)\", \"a few seconds ago\": \"\", Actions: \"Акции\", 'Actions for item with name \"{name}\"': \"\", Activities: \"Активности\", \"Animals & Nature\": \"Животни & Природа\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"Аватар на {displayName}\", \"Avatar of {displayName}, {status}\": \"Аватар на {displayName}, {status}\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"Откажи ги промените\", \"Change name\": \"\", Choose: \"Избери\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"Затвори\", \"Close modal\": \"Затвори модал\", \"Close navigation\": \"Затвори навигација\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"Потврди ги промените\", Custom: \"Прилагодени\", \"Edit item\": \"Уреди\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"Фаворити\", Flags: \"Знамиња\", \"Food & Drink\": \"Храна & Пијалоци\", \"Frequently used\": \"Најчесто користени\", Global: \"Глобално\", \"Go back to the list\": \"Врати се на листата\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"Ограничувањето на должината на пораката од {count} карактери е надминато\", \"More items …\": \"\", \"More options\": \"\", Next: \"Следно\", \"No emoji found\": \"Не се пронајдени емотикони\", \"No link provider found\": \"\", \"No results\": \"Нема резултати\", Objects: \"Објекти\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"Отвори навигација\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"Пузирај слајдшоу\", \"People & Body\": \"Луѓе & Тело\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"Избери емотикон\", \"Please select a time zone:\": \"Изберете временска зона:\", Previous: \"Предходно\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"Барај\", \"Search emoji\": \"\", \"Search results\": \"Резултати од барувањето\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"Избери ознака\", \"Select provider\": \"\", Settings: \"Параметри\", \"Settings navigation\": \"Параметри за навигација\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"Смешковци & Емотикони\", \"Start slideshow\": \"Стартувај слајдшоу\", \"Start typing to search\": \"\", Submit: \"Испрати\", Symbols: \"Симболи\", \"Travel & Places\": \"Патувања & Места\", \"Type to search time zone\": \"Напишете за да пребарате временска зона\", \"Unable to search the group\": \"Неможе да се принајде групата\", \"Undo changes\": \"Врати ги промените\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"mn\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"mr\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"ms_MY\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"my\", translations: { \"{tag} (invisible)\": \"{tag} (ကွယ်ဝှက်ထား)\", \"{tag} (restricted)\": \"{tag} (ကန့်သတ်)\", \"a few seconds ago\": \"\", Actions: \"လုပ်ဆောင်ချက်များ\", 'Actions for item with name \"{name}\"': \"\", Activities: \"ပြုလုပ်ဆောင်တာများ\", \"Animals & Nature\": \"တိရစ္ဆာန်များနှင့် သဘာဝ\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"{displayName} ၏ ကိုယ်ပွား\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"ပြောင်းလဲမှုများ ပယ်ဖျက်ရန်\", \"Change name\": \"\", Choose: \"ရွေးချယ်ရန်\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"ပိတ်ရန်\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"ပြောင်းလဲမှုများ အတည်ပြုရန်\", Custom: \"အလိုကျချိန်ညှိမှု\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"အလံများ\", \"Food & Drink\": \"အစားအသောက်\", \"Frequently used\": \"မကြာခဏအသုံးပြုသော\", Global: \"ကမ္ဘာလုံးဆိုင်ရာ\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"ကန့်သတ် စာလုံးရေ {count} လုံး ပြည့်ပါပြီ\", \"More items …\": \"\", \"More options\": \"\", Next: \"နောက်သို့ဆက်ရန်\", \"No emoji found\": \"အီမိုဂျီ ရှာဖွေမတွေ့နိုင်ပါ\", \"No link provider found\": \"\", \"No results\": \"ရလဒ်မရှိပါ\", Objects: \"အရာဝတ္ထုများ\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"စလိုက်ရှိုး ခေတ္တရပ်ရန်\", \"People & Body\": \"လူပုဂ္ဂိုလ်များနှင့် ခန္ဓာကိုယ်\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"အီမိုဂျီရွေးရန်\", \"Please select a time zone:\": \"ဒေသစံတော်ချိန် ရွေးချယ်ပေးပါ\", Previous: \"ယခင်\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"ရှာဖွေရန်\", \"Search emoji\": \"\", \"Search results\": \"ရှာဖွေမှု ရလဒ်များ\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"tag ရွေးချယ်ရန်\", \"Select provider\": \"\", Settings: \"ချိန်ညှိချက်များ\", \"Settings navigation\": \"ချိန်ညှိချက်အညွှန်း\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"စမိုင်လီများနှင့် အီမိုရှင်း\", \"Start slideshow\": \"စလိုက်ရှိုးအား စတင်ရန်\", \"Start typing to search\": \"\", Submit: \"တင်သွင်းရန်\", Symbols: \"သင်္ကေတများ\", \"Travel & Places\": \"ခရီးသွားလာခြင်းနှင့် နေရာများ\", \"Type to search time zone\": \"ဒေသစံတော်ချိန်များ ရှာဖွေရန် စာရိုက်ပါ\", \"Unable to search the group\": \"အဖွဲ့အား ရှာဖွေ၍ မရနိုင်ပါ\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"nb\", translations: { \"{tag} (invisible)\": \"{tag} (usynlig)\", \"{tag} (restricted)\": \"{tag} (beskyttet)\", \"a few seconds ago\": \"\", Actions: \"Handlinger\", 'Actions for item with name \"{name}\"': \"\", Activities: \"Aktiviteter\", \"Animals & Nature\": \"Dyr og natur\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"Alt som er delt med den samme gruppen vil vises her\", \"Avatar of {displayName}\": \"Avataren til {displayName}\", \"Avatar of {displayName}, {status}\": \"{displayName}'s avatar, {status}\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"Avbryt endringer\", \"Change name\": \"\", Choose: \"Velg\", \"Clear search\": \"\", \"Clear text\": \"Fjern tekst\", Close: \"Lukk\", \"Close modal\": \"Lukk modal\", \"Close navigation\": \"Lukk navigasjon\", \"Close sidebar\": \"Lukk sidepanel\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"Bekreft endringer\", Custom: \"Tilpasset\", \"Edit item\": \"Rediger\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"Favoritt\", Flags: \"Flagg\", \"Food & Drink\": \"Mat og drikke\", \"Frequently used\": \"Ofte brukt\", Global: \"Global\", \"Go back to the list\": \"Gå tilbake til listen\", \"Hide password\": \"Skjul passord\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"Karakter begrensing {count} nådd i melding\", \"More items …\": \"Flere gjenstander...\", \"More options\": \"\", Next: \"Neste\", \"No emoji found\": \"Fant ingen emoji\", \"No link provider found\": \"\", \"No results\": \"Ingen resultater\", Objects: \"Objekter\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"Åpne navigasjon\", \"Open settings menu\": \"\", \"Password is secure\": \"Passordet er sikkert\", \"Pause slideshow\": \"Pause lysbildefremvisning\", \"People & Body\": \"Mennesker og kropp\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"Velg en emoji\", \"Please select a time zone:\": \"Vennligst velg tidssone\", Previous: \"Forrige\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"Relaterte ressurser\", Search: \"Søk\", \"Search emoji\": \"\", \"Search results\": \"Søkeresultater\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"Velg en merkelapp\", \"Select provider\": \"\", Settings: \"Innstillinger\", \"Settings navigation\": \"Navigasjonsinstillinger\", \"Show password\": \"Vis passord\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"Smilefjes og følelser\", \"Start slideshow\": \"Start lysbildefremvisning\", \"Start typing to search\": \"\", Submit: \"Send\", Symbols: \"Symboler\", \"Travel & Places\": \"Reise og steder\", \"Type to search time zone\": \"Tast for å søke etter tidssone\", \"Unable to search the group\": \"Kunne ikke søke i gruppen\", \"Undo changes\": \"Tilbakestill endringer\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': 'Skriv melding, bruk \"@\" for å nevne noen, bruk \":\" for autofullføring av emoji...' } }, { locale: \"ne\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"nl\", translations: { \"{tag} (invisible)\": \"{tag} (onzichtbaar)\", \"{tag} (restricted)\": \"{tag} (beperkt)\", \"a few seconds ago\": \"enkele seconden terug\", Actions: \"Acties\", 'Actions for item with name \"{name}\"': 'Actie voor item met naam \"{name}\"', Activities: \"Activiteiten\", \"Animals & Nature\": \"Dieren & Natuur\", \"Any link\": \"Elke link\", \"Anything shared with the same group of people will show up here\": \"Alles dat gedeeld is met dezelfde groep mensen zal hier getoond worden\", \"Avatar of {displayName}\": \"Avatar van {displayName}\", \"Avatar of {displayName}, {status}\": \"Avatar van {displayName}, {status}\", away: \"weg\", Back: \"Terug\", \"Back to provider selection\": \"Terug naar provider selectie\", \"Cancel changes\": \"Wijzigingen annuleren\", \"Change name\": \"Verander naam\", Choose: \"Kies\", \"Clear search\": \"Wis zoekopdracht\", \"Clear text\": \"Wis tekst\", Close: \"Sluiten\", \"Close modal\": \"Sluit modal\", \"Close navigation\": \"Navigatie sluiten\", \"Close sidebar\": \"Sluit sidebar\", \"Close Smart Picker\": \"Sluit Slimme Kiezer\", \"Collapse menu\": \"Klap menu in\", \"Confirm changes\": \"Wijzigingen bevestigen\", Custom: \"Aangepast\", \"do not disturb\": \"niet storen\", \"Edit item\": \"Item bewerken\", \"Enter link\": \"Voer link in\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"Fout bij het verkrijgen van resources. Neem a.u.b. contact op met uw systeembeheerder als u vragen heeft.\", \"External documentation for {name}\": \"Externe documentatie voor {name}\", Favorite: \"Favoriet\", Flags: \"Vlaggen\", \"Food & Drink\": \"Eten & Drinken\", \"Frequently used\": \"Vaak gebruikt\", Global: \"Globaal\", \"Go back to the list\": \"Ga terug naar de lijst\", \"Hide password\": \"Verberg wachtwoord\", 'Load more \"{options}\"': 'Laad meer \"{options}\"', \"Message limit of {count} characters reached\": \"Berichtlimiet van {count} karakters bereikt\", \"More items …\": \"Meer items...\", \"More options\": \"Meer opties\", Next: \"Volgende\", \"No emoji found\": \"Geen emoji gevonden\", \"No link provider found\": \"Geen link provider gevonden\", \"No results\": \"Geen resultaten\", Objects: \"Objecten\", offline: \"offline\", online: \"online\", \"Open contact menu\": \"Open contactenmenu\", 'Open link to \"{resourceName}\"': 'Open link naar \"{resourceName}\"', \"Open menu\": \"Open menu\", \"Open navigation\": \"Navigatie openen\", \"Open settings menu\": \"Open instellingenmenu\", \"Password is secure\": \"Wachtwoord is veilig\", \"Pause slideshow\": \"Pauzeer diavoorstelling\", \"People & Body\": \"Mensen & Lichaam\", \"Pick a date\": \"Selecteer een datum\", \"Pick a date and a time\": \"Selecteer een datum en tijd\", \"Pick a month\": \"Selecteer een maand\", \"Pick a time\": \"Selecteer een tijd\", \"Pick a week\": \"Selecteer een week\", \"Pick a year\": \"Selecteer een jaar\", \"Pick an emoji\": \"Kies een emoji\", \"Please select a time zone:\": \"Selecteer een tijdzone:\", Previous: \"Vorige\", \"Provider icon\": \"Provider icon\", \"Raw link {options}\": \"Basis link {options}\", \"Related resources\": \"Gerelateerde bronnen\", Search: \"Zoeken\", \"Search emoji\": \"Zoek emoji\", \"Search results\": \"Zoekresultaten\", \"sec. ago\": \"sec. geleden\", \"seconds ago\": \"seconden geleden\", \"Select a tag\": \"Selecteer een label\", \"Select provider\": \"Selecteer provider\", Selected: \"Geselecteerd\", Settings: \"Instellingen\", \"Settings navigation\": \"Instellingen navigatie\", \"Show password\": \"Toon wachtwoord\", \"Smart Picker\": \"Slimme Kiezer\", \"Smileys & Emotion\": \"Smileys & Emotie\", \"Start slideshow\": \"Start diavoorstelling\", \"Start typing to search\": \"Start met typen om te zoeken\", Submit: \"Verwerken\", Symbols: \"Symbolen\", \"Travel & Places\": \"Reizen & Plaatsen\", \"Type to search time zone\": \"Type om een tijdzone te zoeken\", \"Unable to search the group\": \"Kan niet zoeken in de groep\", \"Undo changes\": \"Wijzigingen ongedaan maken\", \"User status: {status}\": \"Gebruikers status: {status}\", \"Write a message …\": \"Schrijf een bericht...\" } }, { locale: \"nn_NO\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"oc\", translations: { \"{tag} (invisible)\": \"{tag} (invisible)\", \"{tag} (restricted)\": \"{tag} (limit)\", \"a few seconds ago\": \"\", Actions: \"Accions\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"Causir\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"Tampar\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"Seguent\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"Cap de resultat\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"Metre en pausa lo diaporama\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"Precedent\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"Seleccionar una etiqueta\", \"Select provider\": \"\", Settings: \"Paramètres\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"Lançar lo diaporama\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"pl\", translations: { \"{tag} (invisible)\": \"{tag} (niewidoczna)\", \"{tag} (restricted)\": \"{tag} (ograniczona)\", \"a few seconds ago\": \"\", Actions: \"Działania\", 'Actions for item with name \"{name}\"': \"\", Activities: \"Aktywność\", \"Animals & Nature\": \"Zwierzęta i natura\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"Tutaj pojawi się wszystko, co zostało udostępnione tej samej grupie osób\", \"Avatar of {displayName}\": \"Awatar {displayName}\", \"Avatar of {displayName}, {status}\": \"Awatar {displayName}, {status}\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"Anuluj zmiany\", \"Change name\": \"\", Choose: \"Wybierz\", \"Clear search\": \"\", \"Clear text\": \"Wyczyść tekst\", Close: \"Zamknij\", \"Close modal\": \"Zamknij modal\", \"Close navigation\": \"Zamknij nawigację\", \"Close sidebar\": \"Zamknij pasek boczny\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"Potwierdź zmiany\", Custom: \"Zwyczajne\", \"Edit item\": \"Edytuj element\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"Ulubiony\", Flags: \"Flagi\", \"Food & Drink\": \"Jedzenie i picie\", \"Frequently used\": \"Często używane\", Global: \"Globalnie\", \"Go back to the list\": \"Powrót do listy\", \"Hide password\": \"Ukryj hasło\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"Przekroczono limit wiadomości wynoszący {count} znaków\", \"More items …\": \"Więcej pozycji…\", \"More options\": \"\", Next: \"Następny\", \"No emoji found\": \"Nie znaleziono emoji\", \"No link provider found\": \"\", \"No results\": \"Brak wyników\", Objects: \"Obiekty\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"Otwórz nawigację\", \"Open settings menu\": \"\", \"Password is secure\": \"Hasło jest bezpieczne\", \"Pause slideshow\": \"Wstrzymaj pokaz slajdów\", \"People & Body\": \"Ludzie i ciało\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"Wybierz emoji\", \"Please select a time zone:\": \"Wybierz strefę czasową:\", Previous: \"Poprzedni\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"Powiązane zasoby\", Search: \"Szukaj\", \"Search emoji\": \"\", \"Search results\": \"Wyniki wyszukiwania\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"Wybierz etykietę\", \"Select provider\": \"\", Settings: \"Ustawienia\", \"Settings navigation\": \"Ustawienia nawigacji\", \"Show password\": \"Pokaż hasło\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"Buźki i emotikony\", \"Start slideshow\": \"Rozpocznij pokaz slajdów\", \"Start typing to search\": \"\", Submit: \"Wyślij\", Symbols: \"Symbole\", \"Travel & Places\": \"Podróże i miejsca\", \"Type to search time zone\": \"Wpisz, aby wyszukać strefę czasową\", \"Unable to search the group\": \"Nie można przeszukać grupy\", \"Undo changes\": \"Cofnij zmiany\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': 'Napisz wiadomość, \"@\" aby o kimś wspomnieć, \":\" dla autouzupełniania emoji…' } }, { locale: \"ps\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"pt_BR\", translations: { \"{tag} (invisible)\": \"{tag} (invisível)\", \"{tag} (restricted)\": \"{tag} (restrito) \", \"a few seconds ago\": \"\", Actions: \"Ações\", 'Actions for item with name \"{name}\"': \"\", Activities: \"Atividades\", \"Animals & Nature\": \"Animais & Natureza\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"Qualquer coisa compartilhada com o mesmo grupo de pessoas aparecerá aqui\", \"Avatar of {displayName}\": \"Avatar de {displayName}\", \"Avatar of {displayName}, {status}\": \"Avatar de {displayName}, {status}\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"Cancelar alterações\", \"Change name\": \"\", Choose: \"Escolher\", \"Clear search\": \"\", \"Clear text\": \"Limpar texto\", Close: \"Fechar\", \"Close modal\": \"Fechar modal\", \"Close navigation\": \"Fechar navegação\", \"Close sidebar\": \"Fechar barra lateral\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"Confirmar alterações\", Custom: \"Personalizado\", \"Edit item\": \"Editar item\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"Favorito\", Flags: \"Bandeiras\", \"Food & Drink\": \"Comida & Bebida\", \"Frequently used\": \"Mais usados\", Global: \"Global\", \"Go back to the list\": \"Volte para a lista\", \"Hide password\": \"Ocultar a senha\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"Limite de mensagem de {count} caracteres atingido\", \"More items …\": \"Mais itens …\", \"More options\": \"\", Next: \"Próximo\", \"No emoji found\": \"Nenhum emoji encontrado\", \"No link provider found\": \"\", \"No results\": \"Sem resultados\", Objects: \"Objetos\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"Abrir navegação\", \"Open settings menu\": \"\", \"Password is secure\": \"A senha é segura\", \"Pause slideshow\": \"Pausar apresentação de slides\", \"People & Body\": \"Pessoas & Corpo\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"Escolha um emoji\", \"Please select a time zone:\": \"Selecione um fuso horário: \", Previous: \"Anterior\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"Recursos relacionados\", Search: \"Pesquisar\", \"Search emoji\": \"\", \"Search results\": \"Resultados da pesquisa\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"Selecionar uma tag\", \"Select provider\": \"\", Settings: \"Configurações\", \"Settings navigation\": \"Navegação de configurações\", \"Show password\": \"Mostrar senha\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"Smiles & Emoções\", \"Start slideshow\": \"Iniciar apresentação de slides\", \"Start typing to search\": \"\", Submit: \"Enviar\", Symbols: \"Símbolo\", \"Travel & Places\": \"Viagem & Lugares\", \"Type to search time zone\": \"Digite para pesquisar o fuso horário \", \"Unable to search the group\": \"Não foi possível pesquisar o grupo\", \"Undo changes\": \"Desfazer modificações\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': 'Escreva mensagens, use \"@\" para mencionar algum, use \":\" for autocompletar emoji …' } }, { locale: \"pt_PT\", translations: { \"{tag} (invisible)\": \"{tag} (invisivel)\", \"{tag} (restricted)\": \"{tag} (restrito)\", \"a few seconds ago\": \"alguns segundos atrás\", Actions: \"Ações\", 'Actions for item with name \"{name}\"': 'Ações para objeto com o nome \"[name]\"', Activities: \"Atividades\", \"Animals & Nature\": \"Animais e Natureza\", \"Any link\": \"Qualquer link\", \"Anything shared with the same group of people will show up here\": \"Qualquer coisa compartilhada com o mesmo grupo de pessoas aparecerá aqui\", \"Avatar of {displayName}\": \"Avatar de {displayName}\", \"Avatar of {displayName}, {status}\": \"Avatar de {displayName}, {status}\", Back: \"Voltar atrás\", \"Back to provider selection\": \"Voltar à seleção de fornecedor\", \"Cancel changes\": \"Cancelar alterações\", \"Change name\": \"Alterar nome\", Choose: \"Escolher\", \"Clear search\": \"Limpar a pesquisa\", \"Clear text\": \"Limpar texto\", Close: \"Fechar\", \"Close modal\": \"Fechar modal\", \"Close navigation\": \"Fechar navegação\", \"Close sidebar\": \"Fechar barra lateral\", \"Close Smart Picker\": 'Fechar \"Smart Picker\"', \"Collapse menu\": \"Comprimir menu\", \"Confirm changes\": \"Confirmar alterações\", Custom: \"Personalizado\", \"Edit item\": \"Editar item\", \"Enter link\": \"Introduzir link\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"Erro em obter info relacionadas. Por favor contacte o administrador do sistema para esclarecimentos adicionais.\", \"External documentation for {name}\": \"Documentação externa para {name}\", Favorite: \"Favorito\", Flags: \"Bandeiras\", \"Food & Drink\": \"Comida e Bebida\", \"Frequently used\": \"Mais utilizados\", Global: \"Global\", \"Go back to the list\": \"Voltar para a lista\", \"Hide password\": \"Ocultar a senha\", 'Load more \"{options}\"': \"\", \"Message limit of {count} characters reached\": \"Atingido o limite de {count} carateres da mensagem.\", \"More items …\": \"Mais itens …\", \"More options\": \"Mais opções\", Next: \"Seguinte\", \"No emoji found\": \"Nenhum emoji encontrado\", \"No link provider found\": \"Nenhum fornecedor de link encontrado\", \"No results\": \"Sem resultados\", Objects: \"Objetos\", \"Open contact menu\": \"Abrir o menu de contato\", 'Open link to \"{resourceName}\"': 'Abrir link para \"{resourceName}\"', \"Open menu\": \"Abrir menu\", \"Open navigation\": \"Abrir navegação\", \"Open settings menu\": \"Abrir menu de configurações\", \"Password is secure\": \"A senha é segura\", \"Pause slideshow\": \"Pausar diaporama\", \"People & Body\": \"Pessoas e Corpo\", \"Pick a date\": \"Escolha uma data\", \"Pick a date and a time\": \"Escolha uma data e um horário\", \"Pick a month\": \"Escolha um mês\", \"Pick a time\": \"Escolha um horário\", \"Pick a week\": \"Escolha uma semana\", \"Pick a year\": \"Escolha um ano\", \"Pick an emoji\": \"Escolha um emoji\", \"Please select a time zone:\": \"Por favor, selecione um fuso horário: \", Previous: \"Anterior\", \"Provider icon\": \"Icon do fornecedor\", \"Raw link {options}\": \"Link inicial {options}\", \"Related resources\": \"Recursos relacionados\", Search: \"Pesquisar\", \"Search emoji\": \"Pesquisar emoji\", \"Search results\": \"Resultados da pesquisa\", \"sec. ago\": \"seg. atrás\", \"seconds ago\": \"segundos atrás\", \"Select a tag\": \"Selecionar uma etiqueta\", \"Select provider\": \"Escolha de fornecedor\", Selected: \"\", Settings: \"Definições\", \"Settings navigation\": \"Navegação de configurações\", \"Show password\": \"Mostrar senha\", \"Smart Picker\": \"Smart Picker\", \"Smileys & Emotion\": \"Sorrisos e Emoções\", \"Start slideshow\": \"Iniciar diaporama\", \"Start typing to search\": \"Comece a digitar para pesquisar\", Submit: \"Submeter\", Symbols: \"Símbolos\", \"Travel & Places\": \"Viagem e Lugares\", \"Type to search time zone\": \"Digite para pesquisar o fuso horário \", \"Unable to search the group\": \"Não é possível pesquisar o grupo\", \"Undo changes\": \"Anular alterações\", \"Write a message …\": \"\" } }, { locale: \"ro\", translations: { \"{tag} (invisible)\": \"{tag} (invizibil)\", \"{tag} (restricted)\": \"{tag} (restricționat)\", \"a few seconds ago\": \"\", Actions: \"Acțiuni\", 'Actions for item with name \"{name}\"': \"\", Activities: \"Activități\", \"Animals & Nature\": \"Animale și natură\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"Tot ceea ce este partajat cu același grup de persoane va fi afișat aici\", \"Avatar of {displayName}\": \"Avatarul lui {displayName}\", \"Avatar of {displayName}, {status}\": \"Avatarul lui {displayName}, {status}\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"Anulează modificările\", \"Change name\": \"\", Choose: \"Alegeți\", \"Clear search\": \"\", \"Clear text\": \"Șterge textul\", Close: \"Închideți\", \"Close modal\": \"Închideți modulul\", \"Close navigation\": \"Închideți navigarea\", \"Close sidebar\": \"Închide bara laterală\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"Confirmați modificările\", Custom: \"Personalizat\", \"Edit item\": \"Editați elementul\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"Favorit\", Flags: \"Marcaje\", \"Food & Drink\": \"Alimente și băuturi\", \"Frequently used\": \"Utilizate frecvent\", Global: \"Global\", \"Go back to the list\": \"Întoarceți-vă la listă\", \"Hide password\": \"Ascunde parola\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"Limita mesajului de {count} caractere a fost atinsă\", \"More items …\": \"Mai multe articole ...\", \"More options\": \"\", Next: \"Următorul\", \"No emoji found\": \"Nu s-a găsit niciun emoji\", \"No link provider found\": \"\", \"No results\": \"Nu există rezultate\", Objects: \"Obiecte\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"Deschideți navigația\", \"Open settings menu\": \"\", \"Password is secure\": \"Parola este sigură\", \"Pause slideshow\": \"Pauză prezentare de diapozitive\", \"People & Body\": \"Oameni și corp\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"Alege un emoji\", \"Please select a time zone:\": \"Vă rugăm să selectați un fus orar:\", Previous: \"Anterior\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"Resurse legate\", Search: \"Căutare\", \"Search emoji\": \"\", \"Search results\": \"Rezultatele căutării\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"Selectați o etichetă\", \"Select provider\": \"\", Settings: \"Setări\", \"Settings navigation\": \"Navigare setări\", \"Show password\": \"Arată parola\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"Zâmbete și emoții\", \"Start slideshow\": \"Începeți prezentarea de diapozitive\", \"Start typing to search\": \"\", Submit: \"Trimiteți\", Symbols: \"Simboluri\", \"Travel & Places\": \"Călătorii și locuri\", \"Type to search time zone\": \"Tastați pentru a căuta fusul orar\", \"Unable to search the group\": \"Imposibilitatea de a căuta în grup\", \"Undo changes\": \"Anularea modificărilor\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': 'Scrie un mesaj, folosește \"@\" pentru a menționa pe cineva, folosește \":\" pentru autocompletarea cu emoji ...' } }, { locale: \"ru\", translations: { \"{tag} (invisible)\": \"{tag} (невидимое)\", \"{tag} (restricted)\": \"{tag} (ограниченное)\", \"a few seconds ago\": \"несколько секунд назад\", Actions: \"Действия \", 'Actions for item with name \"{name}\"': 'Действия для элемента с названием \"{name}\"', Activities: \"События\", \"Animals & Nature\": \"Животные и природа \", \"Any link\": \"Любая ссылка\", \"Anything shared with the same group of people will show up here\": \"Всё, чем поделились с той же группой людей, будет отображаться здесь\", \"Avatar of {displayName}\": \"Аватар {displayName}\", \"Avatar of {displayName}, {status}\": \"Фотография {displayName}, {status}\", away: \"отсутствие\", Back: \"Назад\", \"Back to provider selection\": \"Вернуться к выбору провайдера\", \"Cancel changes\": \"Отменить изменения\", \"Change name\": \"Изменить имя\", Choose: \"Выберите\", \"Clear search\": \"Очистить поиск\", \"Clear text\": \"Очистить текст\", Close: \"Закрыть\", \"Close modal\": \"Закрыть модальное окно\", \"Close navigation\": \"Закрыть навигацию\", \"Close sidebar\": \"Закрыть сайдбар\", \"Close Smart Picker\": \"Закрыть интеллектуальный выбор\", \"Collapse menu\": \"Свернуть меню\", \"Confirm changes\": \"Подтвердить изменения\", Custom: \"Пользовательское\", \"do not disturb\": \"не беспокоить\", \"Edit item\": \"Изменить элемент\", \"Enter link\": \"Введите ссылку\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"Ошибка при получении связанных ресурсов. Если у вас есть какие-либо вопросы, обратитесь к системному администратору.\", \"External documentation for {name}\": \"Внешняя документация для {name}\", Favorite: \"Избранное\", Flags: \"Флаги\", \"Food & Drink\": \"Еда, напиток\", \"Frequently used\": \"Часто используемый\", Global: \"Глобальный\", \"Go back to the list\": \"Вернуться к списку\", \"Hide password\": \"Скрыть пароль\", 'Load more \"{options}\"': 'Загрузить больше \"{options}\"\"', \"Message limit of {count} characters reached\": \"Достигнуто ограничение на количество символов в {count}\", \"More items …\": \"Больше элементов...\", \"More options\": \"Больше опций\", Next: \"Следующее\", \"No emoji found\": \"Эмодзи не найдено\", \"No link provider found\": \"Поставщик ссылок не найден\", \"No results\": \"Результаты отсуствуют\", Objects: \"Объекты\", offline: \"офлайн\", online: \"онлайн\", \"Open contact menu\": \"Открыть меню контакта\", 'Open link to \"{resourceName}\"': 'Открыть ссылку на \"{resourceName}\"', \"Open menu\": \"Открыть меню\", \"Open navigation\": \"Открыть навигацию\", \"Open settings menu\": \"Открыть меню настроек\", \"Password is secure\": \"Пароль надежный\", \"Pause slideshow\": \"Приостановить показ слйдов\", \"People & Body\": \"Люди и тело\", \"Pick a date\": \"Выберите дату\", \"Pick a date and a time\": \"Выберите дату и время\", \"Pick a month\": \"Выберите месяц\", \"Pick a time\": \"Выберите время\", \"Pick a week\": \"Выберите неделю\", \"Pick a year\": \"Выберите год\", \"Pick an emoji\": \"Выберите эмодзи\", \"Please select a time zone:\": \"Пожалуйста, выберите часовой пояс:\", Previous: \"Предыдущее\", \"Provider icon\": \"Значок поставщика\", \"Raw link {options}\": \"Необработанная ссылка {options}\", \"Related resources\": \"Связанные ресурсы\", Search: \"Поиск\", \"Search emoji\": \"Поиск эмодзи\", \"Search results\": \"Результаты поиска\", \"sec. ago\": \"сек. назад\", \"seconds ago\": \"секунд назад\", \"Select a tag\": \"Выберите метку\", \"Select provider\": \"Выбрать поставщика\", Selected: \"Выбрано\", Settings: \"Параметры\", \"Settings navigation\": \"Навигация по настройкам\", \"Show password\": \"Показать пароль\", \"Smart Picker\": \"Умный выбор\", \"Smileys & Emotion\": \"Смайлики и эмоции\", \"Start slideshow\": \"Начать показ слайдов\", \"Start typing to search\": \"Начните вводить текст для поиска\", Submit: \"Утвердить\", Symbols: \"Символы\", \"Travel & Places\": \"Путешествия и места\", \"Type to search time zone\": \"Введите для поиска часового пояса\", \"Unable to search the group\": \"Невозможно найти группу\", \"Undo changes\": \"Отменить изменения\", \"User status: {status}\": \"Статус пользователя: {status}\", \"Write a message …\": \"Напиши сообщение …\" } }, { locale: \"sc\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"si\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"sk\", translations: { \"{tag} (invisible)\": \"{tag} (neviditeľný)\", \"{tag} (restricted)\": \"{tag} (obmedzený)\", \"a few seconds ago\": \"\", Actions: \"Akcie\", 'Actions for item with name \"{name}\"': \"\", Activities: \"Aktivity\", \"Animals & Nature\": \"Zvieratá a príroda\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"Avatar {displayName}\", \"Avatar of {displayName}, {status}\": \"Avatar {displayName}, {status}\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"Zrušiť zmeny\", \"Change name\": \"\", Choose: \"Vybrať\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"Zatvoriť\", \"Close modal\": \"\", \"Close navigation\": \"Zavrieť navigáciu\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"Potvrdiť zmeny\", Custom: \"Zvyk\", \"Edit item\": \"Upraviť položku\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"Vlajky\", \"Food & Drink\": \"Jedlo a nápoje\", \"Frequently used\": \"Často používané\", Global: \"Globálne\", \"Go back to the list\": \"Naspäť na zoznam\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"Limit správy na {count} znakov dosiahnutý\", \"More items …\": \"\", \"More options\": \"\", Next: \"Ďalší\", \"No emoji found\": \"Nenašli sa žiadne emodži\", \"No link provider found\": \"\", \"No results\": \"Žiadne výsledky\", Objects: \"Objekty\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"Otvoriť navigáciu\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"Pozastaviť prezentáciu\", \"People & Body\": \"Ľudia a telo\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"Vyberte si emodži\", \"Please select a time zone:\": \"Prosím vyberte časovú zónu:\", Previous: \"Predchádzajúci\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"Hľadať\", \"Search emoji\": \"\", \"Search results\": \"Výsledky vyhľadávania\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"Vybrať štítok\", \"Select provider\": \"\", Settings: \"Nastavenia\", \"Settings navigation\": \"Navigácia v nastaveniach\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"Smajlíky a emócie\", \"Start slideshow\": \"Začať prezentáciu\", \"Start typing to search\": \"\", Submit: \"Odoslať\", Symbols: \"Symboly\", \"Travel & Places\": \"Cestovanie a miesta\", \"Type to search time zone\": \"Začníte písať pre vyhľadávanie časovej zóny\", \"Unable to search the group\": \"Skupinu sa nepodarilo nájsť\", \"Undo changes\": \"Vrátiť zmeny\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"sl\", translations: { \"{tag} (invisible)\": \"{tag} (nevidno)\", \"{tag} (restricted)\": \"{tag} (omejeno)\", \"a few seconds ago\": \"\", Actions: \"Dejanja\", 'Actions for item with name \"{name}\"': \"\", Activities: \"Dejavnosti\", \"Animals & Nature\": \"Živali in Narava\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"Podoba {displayName}\", \"Avatar of {displayName}, {status}\": \"Prikazna slika {displayName}, {status}\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"Prekliči spremembe\", \"Change name\": \"\", Choose: \"Izbor\", \"Clear search\": \"\", \"Clear text\": \"Počisti besedilo\", Close: \"Zapri\", \"Close modal\": \"Zapri pojavno okno\", \"Close navigation\": \"Zapri krmarjenje\", \"Close sidebar\": \"Zapri stransko vrstico\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"Potrdi spremembe\", Custom: \"Po meri\", \"Edit item\": \"Uredi predmet\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"Priljubljeno\", Flags: \"Zastavice\", \"Food & Drink\": \"Hrana in Pijača\", \"Frequently used\": \"Pogostost uporabe\", Global: \"Splošno\", \"Go back to the list\": \"Vrni se na seznam\", \"Hide password\": \"Skrij geslo\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"Dosežena omejitev {count} znakov na sporočilo.\", \"More items …\": \"Več predmetov ...\", \"More options\": \"\", Next: \"Naslednji\", \"No emoji found\": \"Ni najdenih izraznih ikon\", \"No link provider found\": \"\", \"No results\": \"Ni zadetkov\", Objects: \"Predmeti\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"Odpri krmarjenje\", \"Open settings menu\": \"\", \"Password is secure\": \"Geslo je varno\", \"Pause slideshow\": \"Ustavi predstavitev\", \"People & Body\": \"Ljudje in Telo\", \"Pick a date\": \"Izbor datuma\", \"Pick a date and a time\": \"Izbor datuma in časa\", \"Pick a month\": \"Izbor meseca\", \"Pick a time\": \"Izbor časa\", \"Pick a week\": \"Izbor tedna\", \"Pick a year\": \"Izbor leta\", \"Pick an emoji\": \"Izbor izrazne ikone\", \"Please select a time zone:\": \"Izbor časovnega pasu:\", Previous: \"Predhodni\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"Povezani viri\", Search: \"Iskanje\", \"Search emoji\": \"\", \"Search results\": \"Zadetki iskanja\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"Izbor oznake\", \"Select provider\": \"\", Settings: \"Nastavitve\", \"Settings navigation\": \"Krmarjenje nastavitev\", \"Show password\": \"Pokaži geslo\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"Izrazne ikone\", \"Start slideshow\": \"Začni predstavitev\", \"Start typing to search\": \"\", Submit: \"Pošlji\", Symbols: \"Simboli\", \"Travel & Places\": \"Potovanja in Kraji\", \"Type to search time zone\": \"Vpišite niz za iskanje časovnega pasu\", \"Unable to search the group\": \"Ni mogoče iskati po skupini\", \"Undo changes\": \"Razveljavi spremembe\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"sq\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"sr\", translations: { \"{tag} (invisible)\": \"{tag} (невидљиво)\", \"{tag} (restricted)\": \"{tag} (ограничено)\", \"a few seconds ago\": \"пре неколико секунди\", Actions: \"Радње\", 'Actions for item with name \"{name}\"': \"Радње за ставку под називом „{name}”\", Activities: \"Активности\", \"Animals & Nature\": \"Животиње и природа\", \"Any link\": \"Било који линк\", \"Anything shared with the same group of people will show up here\": \"Све што се дели са истом групом људи ће се појавити овде\", \"Avatar of {displayName}\": \"Аватар за {displayName}\", \"Avatar of {displayName}, {status}\": \"Avatar za {displayName}, {status}\", away: \"одсутан\", Back: \"Назад\", \"Back to provider selection\": \"Назад на избор пружаоца\", \"Cancel changes\": \"Откажи измене\", \"Change name\": \"Измени назив\", Choose: \"Изаберите\", \"Clear search\": \"Обриши претрагу\", \"Clear selected\": \"Обриши изабрано\", \"Clear text\": \"Обриши текст\", Close: \"Затвори\", \"Close navigation\": \"Затвори навигацију\", \"Close sidebar\": \"Затвори бочну траку\", \"Close Smart Picker\": \"Затвори паметни бирач\", \"Collapse menu\": \"Сажми мени\", \"Confirm changes\": \"Потврдите измене\", Custom: \"Произвољно\", \"Deselect {option}\": \"Уклони избор {option}\", \"do not disturb\": \"не узнемиравај\", \"Edit item\": \"Уреди ставку\", \"Enter link\": \"Унесите линк\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"Грешка код прибављања везаних ресурса. Молимо вас да се обратите администратору ако имате питања.\", \"External documentation for {name}\": \"Спољна документација за {name}\", Favorite: \"Омиљени\", Flags: \"Заставе\", \"Food & Drink\": \"Храна и пиће\", \"Frequently used\": \"Често коришћено\", Global: \"Глобално\", \"Go back to the list\": \"Назад на листу\", \"Hide password\": \"Сакриј лозинку\", 'Load more \"{options}\"': \"Учитај још „{options}”\", \"Message limit of {count} characters reached\": \"Достигнуто је ограничење величине поруке од {count} карактера\", \"More items …\": \"Још ставки...\", \"More options\": \"Још опција\", Next: \"Следеће\", \"No emoji found\": \"Није пронађен ниједан емођи\", \"No link provider found\": \"Није пронађен ниједан пружалац линка\", \"No results\": \"Нема резултата\", Objects: \"Предмети\", offline: \"ван мреже\", online: \"на мрежи\", \"Open contact menu\": \"Отвори мени контаката\", 'Open link to \"{resourceName}\"': \"Отвори линк на „{resourceName}”\", \"Open menu\": \"Отвори мени\", \"Open navigation\": \"Отвори навигацију\", \"Open settings menu\": \"Отвори мени подешавања\", \"Password is secure\": \"Лозинка је безбедна\", \"Pause slideshow\": \"Паузирај слајд шоу\", \"People & Body\": \"Људи и тело\", \"Pick a date\": \"Изаберите датум\", \"Pick a date and a time\": \"Изаберите датум и време\", \"Pick a month\": \"Изаберите месец\", \"Pick a time\": \"Изаберите време\", \"Pick a week\": \"Изаберите недељу\", \"Pick a year\": \"Изаберите годину\", \"Pick an emoji\": \"Изаберите емођи\", \"Please select a time zone:\": \"Молимо вас да изаберете временску зону:\", Previous: \"Претходно\", \"Provider icon\": \"Икона пружаоца\", \"Raw link {options}\": \"Сирови линк {options}\", \"Related resources\": \"Повезани ресурси\", Search: \"Претражи\", \"Search emoji\": \"Претражи емођи\", \"Search for options\": \"Претрага опција\", \"Search for time zone\": \"Претрага временске зоне\", \"Search results\": \"Резултати претраге\", \"sec. ago\": \"сек. раније\", \"seconds ago\": \"секунди раније\", \"Select a tag\": \"Изаберите ознаку\", \"Select provider\": \"Изаберите пружаоца\", Selected: \"Изабрано\", Settings: \"Поставке\", \"Settings navigation\": \"Кретање по подешавањима\", \"Show password\": \"Прикажи лозинку\", \"Smart Picker\": \"Паметни бирач\", \"Smileys & Emotion\": \"Смајлији и емоције\", \"Start slideshow\": \"Покрени слајд шоу\", \"Start typing to search\": \"Покрените претрагу куцањем\", Submit: \"Поднеси\", Symbols: \"Симболи\", \"Travel & Places\": \"Путовање и места\", \"Type to search time zone\": \"Куцајте да претражите временске зоне\", \"Unable to search the group\": \"Група не може да се претражи\", \"Undo changes\": \"Поништи измене\", \"User status: {status}\": \"Статус корисника: {status}\", \"Write a message …\": \"Напишите поруку…\" } }, { locale: \"sr@latin\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"sv\", translations: { \"{tag} (invisible)\": \"{tag} (osynlig)\", \"{tag} (restricted)\": \"{tag} (begränsad)\", \"a few seconds ago\": \"några sekunder sedan\", Actions: \"Åtgärder\", 'Actions for item with name \"{name}\"': 'Åtgärder för objekt med namn \"{name}\"', Activities: \"Aktiviteter\", \"Animals & Nature\": \"Djur & Natur\", \"Any link\": \"Vilken länk som helst\", \"Anything shared with the same group of people will show up here\": \"Något som delats med samma grupp av personer kommer att visas här\", \"Avatar of {displayName}\": \"{displayName}s avatar\", \"Avatar of {displayName}, {status}\": \"{displayName}s avatar, {status}\", away: \"borta\", Back: \"Tillbaka\", \"Back to provider selection\": \"Tillbaka till leverantörsval\", \"Cancel changes\": \"Avbryt ändringar\", \"Change name\": \"Ändra namn\", Choose: \"Välj\", \"Clear search\": \"Rensa sökning\", \"Clear text\": \"Ta bort text\", Close: \"Stäng\", \"Close modal\": \"Stäng modal\", \"Close navigation\": \"Stäng navigering\", \"Close sidebar\": \"Stäng sidopanel\", \"Close Smart Picker\": \"Stäng Smart Picker\", \"Collapse menu\": \"Komprimera menyn\", \"Confirm changes\": \"Bekräfta ändringar\", Custom: \"Anpassad\", \"do not disturb\": \"stör ej\", \"Edit item\": \"Ändra\", \"Enter link\": \"Ange länk\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"Det gick inte att hämta relaterade resurser. Kontakta din systemadministratör om du har några frågor.\", \"External documentation for {name}\": \"Extern dokumentation för {name}\", Favorite: \"Favorit\", Flags: \"Flaggor\", \"Food & Drink\": \"Mat & Dryck\", \"Frequently used\": \"Används ofta\", Global: \"Global\", \"Go back to the list\": \"Gå tillbaka till listan\", \"Hide password\": \"Göm lössenordet\", 'Load more \"{options}\"': 'Ladda fler \"{options}\"', \"Message limit of {count} characters reached\": \"Meddelandegräns {count} tecken används\", \"More items …\": \"Fler objekt\", \"More options\": \"Fler alternativ\", Next: \"Nästa\", \"No emoji found\": \"Hittade inga emojis\", \"No link provider found\": \"Ingen länkleverantör hittades\", \"No results\": \"Inga resultat\", Objects: \"Objekt\", offline: \"offline\", online: \"online\", \"Open contact menu\": \"Öppna kontaktmenyn\", 'Open link to \"{resourceName}\"': 'Öppna länken till \"{resourceName}\"', \"Open menu\": \"Öppna menyn\", \"Open navigation\": \"Öppna navigering\", \"Open settings menu\": \"Öppna inställningsmenyn\", \"Password is secure\": \"Lössenordet är säkert\", \"Pause slideshow\": \"Pausa bildspelet\", \"People & Body\": \"Kropp & Själ\", \"Pick a date\": \"Välj datum\", \"Pick a date and a time\": \"Välj datum och tid\", \"Pick a month\": \"Välj månad\", \"Pick a time\": \"Välj tid\", \"Pick a week\": \"Välj vecka\", \"Pick a year\": \"Välj år\", \"Pick an emoji\": \"Välj en emoji\", \"Please select a time zone:\": \"Välj tidszon:\", Previous: \"Föregående\", \"Provider icon\": \"Leverantörsikon\", \"Raw link {options}\": \"Oformaterad länk {options}\", \"Related resources\": \"Relaterade resurser\", Search: \"Sök\", \"Search emoji\": \"Sök emoji\", \"Search results\": \"Sökresultat\", \"sec. ago\": \"sek. sedan\", \"seconds ago\": \"sekunder sedan\", \"Select a tag\": \"Välj en tag\", \"Select provider\": \"Välj leverantör\", Selected: \"Vald\", Settings: \"Inställningar\", \"Settings navigation\": \"Inställningsmeny\", \"Show password\": \"Visa lössenordet\", \"Smart Picker\": \"Smart Picker\", \"Smileys & Emotion\": \"Selfies & Känslor\", \"Start slideshow\": \"Starta bildspelet\", \"Start typing to search\": \"Börja skriva för att söka\", Submit: \"Skicka\", Symbols: \"Symboler\", \"Travel & Places\": \"Resor & Sevärdigheter\", \"Type to search time zone\": \"Skriv för att välja tidszon\", \"Unable to search the group\": \"Kunde inte söka i gruppen\", \"Undo changes\": \"Ångra ändringar\", \"User status: {status}\": \"Användarstatus: {status}\", \"Write a message …\": \"Skriv ett meddelande …\" } }, { locale: \"sw\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"ta\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"th\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"tk\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"tr\", translations: { \"{tag} (invisible)\": \"{tag} (görünmez)\", \"{tag} (restricted)\": \"{tag} (kısıtlı)\", \"a few seconds ago\": \"birkaç saniye önce\", Actions: \"İşlemler\", 'Actions for item with name \"{name}\"': \"{name} adındaki öge için işlemler\", Activities: \"Etkinlikler\", \"Animals & Nature\": \"Hayvanlar ve Doğa\", \"Any link\": \"Herhangi bir bağlantı\", \"Anything shared with the same group of people will show up here\": \"Aynı kişi grubu ile paylaşılan herşey burada görüntülenir\", \"Avatar of {displayName}\": \"{displayName} avatarı\", \"Avatar of {displayName}, {status}\": \"{displayName}, {status} avatarı\", away: \"Uzakta\", Back: \"Geri\", \"Back to provider selection\": \"Sağlayıcı seçimine dön\", \"Cancel changes\": \"Değişiklikleri iptal et\", \"Change name\": \"Adı değiştir\", Choose: \"Seçin\", \"Clear search\": \"Aramayı temizle\", \"Clear selected\": \"Seçilmişleri temizle\", \"Clear text\": \"Metni temizle\", Close: \"Kapat\", \"Close navigation\": \"Gezinmeyi kapat\", \"Close sidebar\": \"Yan çubuğu kapat\", \"Close Smart Picker\": \"Akıllı seçimi kapat\", \"Collapse menu\": \"Menüyü daralt\", \"Confirm changes\": \"Değişiklikleri onayla\", Custom: \"Özel\", \"Deselect {option}\": \"{option} bırak\", \"do not disturb\": \"Rahatsız etmeyin\", \"Edit item\": \"Ögeyi düzenle\", \"Enter link\": \"Bağlantıyı yazın\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"İlgili kaynaklara ulaşılırken sorun çıktı. Herhangi bir sorunuz varsa lütfen sistem yöneticiniz ile görüşün \", \"External documentation for {name}\": \"{name} için dış belgeler\", Favorite: \"Sık kullanılanlara ekle\", Flags: \"Bayraklar\", \"Food & Drink\": \"Yeme ve içme\", \"Frequently used\": \"Sık kullanılanlar\", Global: \"Evrensel\", \"Go back to the list\": \"Listeye dön\", \"Hide password\": \"Parolayı gizle\", 'Load more \"{options}\"': 'Diğer \"{options}\"', \"Message limit of {count} characters reached\": \"{count} karakter ileti sınırına ulaşıldı\", \"More items …\": \"Diğer ögeler…\", \"More options\": \"Diğer seçenekler\", Next: \"Sonraki\", \"No emoji found\": \"Herhangi bir emoji bulunamadı\", \"No link provider found\": \"Bağlantı sağlayıcısı bulunamadı\", \"No results\": \"Herhangi bir sonuç bulunamadı\", Objects: \"Nesneler\", offline: \"Çevrim dışı\", online: \"Çevrim içi\", \"Open contact menu\": \"İletişim menüsünü aç\", 'Open link to \"{resourceName}\"': \"{resourceName} bağlantısını aç\", \"Open menu\": \"Menüyü aç\", \"Open navigation\": \"Gezinmeyi aç\", \"Open settings menu\": \"Ayarlar menüsünü aç\", \"Password is secure\": \"Parola güvenli\", \"Pause slideshow\": \"Slayt sunumunu duraklat\", \"People & Body\": \"İnsanlar ve beden\", \"Pick a date\": \"Bir tarih seçin\", \"Pick a date and a time\": \"Bir tarih ve saat seçin\", \"Pick a month\": \"Bir ay seçin\", \"Pick a time\": \"Bir saat seçin\", \"Pick a week\": \"Bir hafta seçin\", \"Pick a year\": \"Bir yıl seçin\", \"Pick an emoji\": \"Bir emoji seçin\", \"Please select a time zone:\": \"Lütfen bir saat dilimi seçin:\", Previous: \"Önceki\", \"Provider icon\": \"Sağlayıcı simgesi\", \"Raw link {options}\": \"Ham bağlantı {options}\", \"Related resources\": \"İlgili kaynaklar\", Search: \"Arama\", \"Search emoji\": \"Emoji ara\", \"Search for options\": \"Seçenek ara\", \"Search for time zone\": \"Saat dilimi ara\", \"Search results\": \"Arama sonuçları\", \"sec. ago\": \"sn. önce\", \"seconds ago\": \"saniye önce\", \"Select a tag\": \"Bir etiket seçin\", \"Select provider\": \"Sağlayıcı seçin\", Selected: \"Seçilmiş\", Settings: \"Ayarlar\", \"Settings navigation\": \"Gezinme ayarları\", \"Show password\": \"Parolayı görüntüle\", \"Smart Picker\": \"Akıllı seçim\", \"Smileys & Emotion\": \"İfadeler ve duygular\", \"Start slideshow\": \"Slayt sunumunu başlat\", \"Start typing to search\": \"Aramak için yazmaya başlayın\", Submit: \"Gönder\", Symbols: \"Simgeler\", \"Travel & Places\": \"Gezi ve yerler\", \"Type to search time zone\": \"Saat dilimi aramak için yazmaya başlayın\", \"Unable to search the group\": \"Grupta arama yapılamadı\", \"Undo changes\": \"Değişiklikleri geri al\", \"User status: {status}\": \"Kullanıcı durumu: {status}\", \"Write a message …\": \"Bir ileti yazın…\" } }, { locale: \"ug\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"uk\", translations: { \"{tag} (invisible)\": \"{tag} (невидимий)\", \"{tag} (restricted)\": \"{tag} (обмежений)\", \"a few seconds ago\": \"декілька секунд тому\", Actions: \"Дії\", 'Actions for item with name \"{name}\"': `Дії для об'єкту \"{name}\"`, Activities: \"Діяльність\", \"Animals & Nature\": \"Тварини та природа\", \"Any link\": \"Будь-яке посилання\", \"Anything shared with the same group of people will show up here\": \"Будь-що доступне для цієї же групи людей буде показано тут\", \"Avatar of {displayName}\": \"Аватар {displayName}\", \"Avatar of {displayName}, {status}\": \"Аватар {displayName}, {status}\", Back: \"Назад\", \"Back to provider selection\": \"Назад до вибору постачальника\", \"Cancel changes\": \"Скасувати зміни\", \"Change name\": \"Змінити назву\", Choose: \"Виберіть\", \"Clear search\": \"Очистити пошук\", \"Clear text\": \"Очистити текст\", Close: \"Закрити\", \"Close modal\": \"Закрити модаль\", \"Close navigation\": \"Закрити навігацію\", \"Close sidebar\": \"Закрити бічну панель\", \"Close Smart Picker\": \"Закрити асистент вибору\", \"Collapse menu\": \"Згорнути меню\", \"Confirm changes\": \"Підтвердити зміни\", Custom: \"Власне\", \"Edit item\": \"Редагувати елемент\", \"Enter link\": \"Зазначте посилання\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"Помилка під час отримання пов'язаних ресурсів. Будь ласка, сконтактуйте з системним адміністратором, якщо у вас виникли запитання.\", \"External documentation for {name}\": \"Зовнішня документація для {name}\", Favorite: \"Із зірочкою\", Flags: \"Прапори\", \"Food & Drink\": \"Їжа та напої\", \"Frequently used\": \"Найчастіші\", Global: \"Глобальний\", \"Go back to the list\": \"Повернутися до списку\", \"Hide password\": \"Приховати пароль\", 'Load more \"{options}\"': \"\", \"Message limit of {count} characters reached\": \"Вичерпано ліміт у {count} символів для повідомлення\", \"More items …\": \"Більше об'єктів...\", \"More options\": \"Більше об'єктів\", Next: \"Вперед\", \"No emoji found\": \"Емоційки відсутні\", \"No link provider found\": \"Не наведено посилання\", \"No results\": \"Відсутні результати\", Objects: \"Об'єкти\", \"Open contact menu\": \"Відкрити меню контактів\", 'Open link to \"{resourceName}\"': 'Відкрити посилання на \"{resourceName}\"', \"Open menu\": \"Відкрити меню\", \"Open navigation\": \"Відкрити навігацію\", \"Open settings menu\": \"Відкрити меню налаштувань\", \"Password is secure\": \"Пароль безпечний\", \"Pause slideshow\": \"Пауза у показі слайдів\", \"People & Body\": \"Люди та жести\", \"Pick a date\": \"Вибрати дату\", \"Pick a date and a time\": \"Виберіть дату та час\", \"Pick a month\": \"Виберіть місяць\", \"Pick a time\": \"Виберіть час\", \"Pick a week\": \"Виберіть тиждень\", \"Pick a year\": \"Виберіть рік\", \"Pick an emoji\": \"Виберіть емоційку\", \"Please select a time zone:\": \"Виберіть часовий пояс:\", Previous: \"Назад\", \"Provider icon\": \"Піктограма постачальника\", \"Raw link {options}\": \"Пряме посилання {options}\", \"Related resources\": \"Пов'язані ресурси\", Search: \"Пошук\", \"Search emoji\": \"Шукати емоційки\", \"Search results\": \"Результати пошуку\", \"sec. ago\": \"с тому\", \"seconds ago\": \"с тому\", \"Select a tag\": \"Виберіть позначку\", \"Select provider\": \"Виберіть постачальника\", Selected: \"\", Settings: \"Налаштування\", \"Settings navigation\": \"Навігація у налаштуваннях\", \"Show password\": \"Показати пароль\", \"Smart Picker\": \"Асистент вибору\", \"Smileys & Emotion\": \"Смайли та емоції\", \"Start slideshow\": \"Почати показ слайдів\", \"Start typing to search\": \"Почніть вводити для пошуку\", Submit: \"Надіслати\", Symbols: \"Символи\", \"Travel & Places\": \"Поїздки та місця\", \"Type to search time zone\": \"Введіть для пошуку часовий пояс\", \"Unable to search the group\": \"Неможливо шукати в групі\", \"Undo changes\": \"Скасувати зміни\", \"Write a message …\": \"\" } }, { locale: \"ur_PK\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"uz\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"vi\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }, { locale: \"zh_CN\", translations: { \"{tag} (invisible)\": \"{tag} (不可见)\", \"{tag} (restricted)\": \"{tag} (受限)\", \"a few seconds ago\": \"\", Actions: \"行为\", 'Actions for item with name \"{name}\"': \"\", Activities: \"活动\", \"Animals & Nature\": \"动物 & 自然\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"与同组用户分享的所有内容都会显示于此\", \"Avatar of {displayName}\": \"{displayName}的头像\", \"Avatar of {displayName}, {status}\": \"{displayName}的头像,{status}\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"取消更改\", \"Change name\": \"\", Choose: \"选择\", \"Clear search\": \"\", \"Clear text\": \"清除文本\", Close: \"关闭\", \"Close modal\": \"关闭窗口\", \"Close navigation\": \"关闭导航\", \"Close sidebar\": \"关闭侧边栏\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"确认更改\", Custom: \"自定义\", \"Edit item\": \"编辑项目\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"喜爱\", Flags: \"旗帜\", \"Food & Drink\": \"食物 & 饮品\", \"Frequently used\": \"经常使用\", Global: \"全局\", \"Go back to the list\": \"返回至列表\", \"Hide password\": \"隐藏密码\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"已达到 {count} 个字符的消息限制\", \"More items …\": \"更多项目…\", \"More options\": \"\", Next: \"下一个\", \"No emoji found\": \"表情未找到\", \"No link provider found\": \"\", \"No results\": \"无结果\", Objects: \"物体\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"开启导航\", \"Open settings menu\": \"\", \"Password is secure\": \"密码安全\", \"Pause slideshow\": \"暂停幻灯片\", \"People & Body\": \"人 & 身体\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"选择一个表情\", \"Please select a time zone:\": \"请选择一个时区:\", Previous: \"上一个\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"相关资源\", Search: \"搜索\", \"Search emoji\": \"\", \"Search results\": \"搜索结果\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"选择一个标签\", \"Select provider\": \"\", Settings: \"设置\", \"Settings navigation\": \"设置向导\", \"Show password\": \"显示密码\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"笑脸 & 情感\", \"Start slideshow\": \"开始幻灯片\", \"Start typing to search\": \"\", Submit: \"提交\", Symbols: \"符号\", \"Travel & Places\": \"旅游 & 地点\", \"Type to search time zone\": \"打字以搜索时区\", \"Unable to search the group\": \"无法搜索分组\", \"Undo changes\": \"撤销更改\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': '写信息,使用\"@\"来提及某人,使用\":\"进行表情符号自动完成 ...' } }, { locale: \"zh_HK\", translations: { \"{tag} (invisible)\": \"{tag} (隱藏)\", \"{tag} (restricted)\": \"{tag} (受限)\", \"a few seconds ago\": \"幾秒前\", Actions: \"動作\", 'Actions for item with name \"{name}\"': \"名稱為「{name}」項目的操作\", Activities: \"活動\", \"Animals & Nature\": \"動物與自然\", \"Any link\": \"任何連結\", \"Anything shared with the same group of people will show up here\": \"與同一組人共享的任何內容都會顯示在此處\", \"Avatar of {displayName}\": \"{displayName} 的頭像\", \"Avatar of {displayName}, {status}\": \"{displayName} 的頭像,{status}\", away: \"離開\", Back: \"返回\", \"Back to provider selection\": \"回到提供者選擇\", \"Cancel changes\": \"取消更改\", \"Change name\": \"更改名稱\", Choose: \"選擇\", \"Clear search\": \"清除搜索\", \"Clear text\": \"清除文本\", Close: \"關閉\", \"Close modal\": \"關閉模態\", \"Close navigation\": \"關閉導航\", \"Close sidebar\": \"關閉側邊欄\", \"Close Smart Picker\": \"關閉 Smart Picker\", \"Collapse menu\": \"折疊選單\", \"Confirm changes\": \"確認更改\", Custom: \"自定義\", \"do not disturb\": \"請勿打擾\", \"Edit item\": \"編輯項目\", \"Enter link\": \"輸入連結\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"取得相關資源時發生錯誤。如果有任何問題,請聯絡系統管理員。\", \"External documentation for {name}\": \"{name} 的外部文件\", Favorite: \"喜愛\", Flags: \"旗幟\", \"Food & Drink\": \"食物與飲料\", \"Frequently used\": \"經常使用\", Global: \"全球的\", \"Go back to the list\": \"返回清單\", \"Hide password\": \"隱藏密碼\", 'Load more \"{options}\"': '載入更多 \"{options}\"', \"Message limit of {count} characters reached\": \"已達到訊息最多 {count} 字元限制\", \"More items …\": \"更多項目 …\", \"More options\": \"更多選項\", Next: \"下一個\", \"No emoji found\": \"未找到表情符號\", \"No link provider found\": \"找不到連結提供者\", \"No results\": \"無結果\", Objects: \"物件\", offline: \"離線\", online: \"在線\", \"Open contact menu\": \"開啟通訊錄選單\", 'Open link to \"{resourceName}\"': \"開啟到「{resourceName}」的連結\", \"Open menu\": \"開啟選單\", \"Open navigation\": \"開啟導航\", \"Open settings menu\": \"開啟設定選單\", \"Password is secure\": \"密碼是安全的\", \"Pause slideshow\": \"暫停幻燈片\", \"People & Body\": \"人物\", \"Pick a date\": \"挑選日期\", \"Pick a date and a time\": \"挑選日期與時間\", \"Pick a month\": \"挑選月份\", \"Pick a time\": \"挑選時間\", \"Pick a week\": \"挑選星期\", \"Pick a year\": \"挑選年份\", \"Pick an emoji\": \"選擇表情符號\", \"Please select a time zone:\": \"請選擇時區:\", Previous: \"上一個\", \"Provider icon\": \"提供者圖示\", \"Raw link {options}\": \"原始連結 {options}\", \"Related resources\": \"相關資源\", Search: \"搜尋\", \"Search emoji\": \"搜尋表情符號\", \"Search results\": \"搜尋結果\", \"sec. ago\": \"秒前\", \"seconds ago\": \"秒前\", \"Select a tag\": \"選擇標籤\", \"Select provider\": \"選擇提供者\", Selected: \"已選\", Settings: \"設定\", \"Settings navigation\": \"設定值導覽\", \"Show password\": \"顯示密碼\", \"Smart Picker\": \"Smart Picker\", \"Smileys & Emotion\": \"表情\", \"Start slideshow\": \"開始幻燈片\", \"Start typing to search\": \"開始輸入以進行搜尋\", Submit: \"提交\", Symbols: \"標誌\", \"Travel & Places\": \"旅遊與景點\", \"Type to search time zone\": \"鍵入以搜索時區\", \"Unable to search the group\": \"無法搜尋群組\", \"Undo changes\": \"取消更改\", \"User status: {status}\": \"用戶狀態:{status}\", \"Write a message …\": \"編寫訊息 …\" } }, { locale: \"zh_TW\", translations: { \"{tag} (invisible)\": \"{tag}(隱藏)\", \"{tag} (restricted)\": \"{tag}(受限)\", \"a few seconds ago\": \"幾秒前\", Actions: \"動作\", 'Actions for item with name \"{name}\"': \"名稱為「{name}」項目的動作\", Activities: \"活動\", \"Animals & Nature\": \"動物與自然\", \"Any link\": \"任何連結\", \"Anything shared with the same group of people will show up here\": \"與相同群組分享的所有內容都會顯示於此\", \"Avatar of {displayName}\": \"{displayName} 的大頭照\", \"Avatar of {displayName}, {status}\": \"{displayName}, {status} 的大頭照\", Back: \"返回\", \"Back to provider selection\": \"回到提供者選擇\", \"Cancel changes\": \"取消變更\", \"Change name\": \"變更名稱\", Choose: \"選擇\", \"Clear search\": \"清除搜尋\", \"Clear text\": \"清除文字\", Close: \"關閉\", \"Close modal\": \"關閉模式\", \"Close navigation\": \"關閉導航\", \"Close sidebar\": \"關閉側邊欄\", \"Close Smart Picker\": \"關閉智慧型挑選器\", \"Collapse menu\": \"折疊選單\", \"Confirm changes\": \"確認變更\", Custom: \"自定義\", \"Edit item\": \"編輯項目\", \"Enter link\": \"輸入連結\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"取得相關資源時發生錯誤。如果有任何問題,請聯絡系統管理員。\", \"External documentation for {name}\": \"{name} 的外部文件\", Favorite: \"最愛\", Flags: \"旗幟\", \"Food & Drink\": \"食物與飲料\", \"Frequently used\": \"最近使用\", Global: \"全域\", \"Go back to the list\": \"回到清單\", \"Hide password\": \"隱藏密碼\", 'Load more \"{options}\"': \"載入更多「{options}」\", \"Message limit of {count} characters reached\": \"已達到訊息最多 {count} 字元限制\", \"More items …\": \"更多項目……\", \"More options\": \"更多選項\", Next: \"下一個\", \"No emoji found\": \"未找到表情符號\", \"No link provider found\": \"找不到連結提供者\", \"No results\": \"無結果\", Objects: \"物件\", \"Open contact menu\": \"開啟通訊錄選單\", 'Open link to \"{resourceName}\"': \"開啟到「{resourceName}」的連結\", \"Open menu\": \"開啟選單\", \"Open navigation\": \"開啟導航\", \"Open settings menu\": \"開啟設定選單\", \"Password is secure\": \"密碼安全\", \"Pause slideshow\": \"暫停幻燈片\", \"People & Body\": \"人物\", \"Pick a date\": \"挑選日期\", \"Pick a date and a time\": \"挑選日期與時間\", \"Pick a month\": \"挑選月份\", \"Pick a time\": \"挑選時間\", \"Pick a week\": \"挑選星期\", \"Pick a year\": \"挑選年份\", \"Pick an emoji\": \"選擇表情符號\", \"Please select a time zone:\": \"請選取時區:\", Previous: \"上一個\", \"Provider icon\": \"提供者圖示\", \"Raw link {options}\": \"原始連結 {options}\", \"Related resources\": \"相關資源\", Search: \"搜尋\", \"Search emoji\": \"搜尋表情符號\", \"Search results\": \"搜尋結果\", \"sec. ago\": \"秒前\", \"seconds ago\": \"秒前\", \"Select a tag\": \"選擇標籤\", \"Select provider\": \"選取提供者\", Selected: \"已選取\", Settings: \"設定\", \"Settings navigation\": \"設定值導覽\", \"Show password\": \"顯示密碼\", \"Smart Picker\": \"智慧型挑選器\", \"Smileys & Emotion\": \"表情\", \"Start slideshow\": \"開始幻燈片\", \"Start typing to search\": \"開始輸入以進行搜尋\", Submit: \"遞交\", Symbols: \"標誌\", \"Travel & Places\": \"旅遊與景點\", \"Type to search time zone\": \"輸入以搜尋時區\", \"Unable to search the group\": \"無法搜尋群組\", \"Undo changes\": \"還原變更\", \"Write a message …\": \"編寫訊息……\" } }, { locale: \"zu_ZA\", translations: { \"{tag} (invisible)\": \"\", \"{tag} (restricted)\": \"\", \"a few seconds ago\": \"\", Actions: \"\", 'Actions for item with name \"{name}\"': \"\", Activities: \"\", \"Animals & Nature\": \"\", \"Any link\": \"\", \"Anything shared with the same group of people will show up here\": \"\", \"Avatar of {displayName}\": \"\", \"Avatar of {displayName}, {status}\": \"\", Back: \"\", \"Back to provider selection\": \"\", \"Cancel changes\": \"\", \"Change name\": \"\", Choose: \"\", \"Clear search\": \"\", \"Clear text\": \"\", Close: \"\", \"Close modal\": \"\", \"Close navigation\": \"\", \"Close sidebar\": \"\", \"Close Smart Picker\": \"\", \"Collapse menu\": \"\", \"Confirm changes\": \"\", Custom: \"\", \"Edit item\": \"\", \"Enter link\": \"\", \"Error getting related resources. Please contact your system administrator if you have any questions.\": \"\", \"External documentation for {name}\": \"\", Favorite: \"\", Flags: \"\", \"Food & Drink\": \"\", \"Frequently used\": \"\", Global: \"\", \"Go back to the list\": \"\", \"Hide password\": \"\", 'Load more \"{options}\"\"': \"\", \"Message limit of {count} characters reached\": \"\", \"More items …\": \"\", \"More options\": \"\", Next: \"\", \"No emoji found\": \"\", \"No link provider found\": \"\", \"No results\": \"\", Objects: \"\", \"Open contact menu\": \"\", 'Open link to \"{resourceName}\"': \"\", \"Open menu\": \"\", \"Open navigation\": \"\", \"Open settings menu\": \"\", \"Password is secure\": \"\", \"Pause slideshow\": \"\", \"People & Body\": \"\", \"Pick a date\": \"\", \"Pick a date and a time\": \"\", \"Pick a month\": \"\", \"Pick a time\": \"\", \"Pick a week\": \"\", \"Pick a year\": \"\", \"Pick an emoji\": \"\", \"Please select a time zone:\": \"\", Previous: \"\", \"Provider icon\": \"\", \"Raw link {options}\": \"\", \"Related resources\": \"\", Search: \"\", \"Search emoji\": \"\", \"Search results\": \"\", \"sec. ago\": \"\", \"seconds ago\": \"\", \"Select a tag\": \"\", \"Select provider\": \"\", Settings: \"\", \"Settings navigation\": \"\", \"Show password\": \"\", \"Smart Picker\": \"\", \"Smileys & Emotion\": \"\", \"Start slideshow\": \"\", \"Start typing to search\": \"\", Submit: \"\", Symbols: \"\", \"Travel & Places\": \"\", \"Type to search time zone\": \"\", \"Unable to search the group\": \"\", \"Undo changes\": \"\", 'Write message, use \"@\" to mention someone, use \":\" for emoji autocompletion …': \"\" } }].forEach((a) => {\n const t = {};\n for (const e in a.translations) {\n if (a.translations[e].pluralId) {\n t[e] = {\n msgid: e,\n msgid_plural: a.translations[e].pluralId,\n msgstr: a.translations[e].msgstr\n };\n continue;\n }\n t[e] = {\n msgid: e,\n msgstr: [\n a.translations[e]\n ]\n };\n }\n s.addTranslation(a.locale, {\n translations: {\n \"\": t\n }\n });\n});\nconst o = s.build(), r = o.ngettext.bind(o), l = o.gettext.bind(o);\nexport {\n r as n,\n l as t\n};\n","import { n as o, t } from \"./l10n-f692947e.mjs\";\nconst n = {\n methods: {\n n: o,\n t\n }\n};\nexport {\n n as l\n};\n","import \"../assets/index-fbc0b606.css\";\nimport { n as s } from \"../chunks/_plugin-vue2_normalizer-71e2aa87.mjs\";\nimport c from \"./NcLoadingIcon.mjs\";\nimport { G as u } from \"../chunks/GenRandomId-cb9ccebe.mjs\";\nimport { l as d } from \"../chunks/l10n-9fc9974f.mjs\";\nconst _ = {\n name: \"CheckboxBlankOutlineIcon\",\n emits: [\"click\"],\n props: {\n title: {\n type: String\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n};\nvar p = function() {\n var t = this, e = t._self._c;\n return e(\"span\", t._b({ staticClass: \"material-design-icon checkbox-blank-outline-icon\", attrs: { \"aria-hidden\": !t.title, \"aria-label\": t.title, role: \"img\" }, on: { click: function(n) {\n return t.$emit(\"click\", n);\n } } }, \"span\", t.$attrs, !1), [e(\"svg\", { staticClass: \"material-design-icon__svg\", attrs: { fill: t.fillColor, width: t.size, height: t.size, viewBox: \"0 0 24 24\" } }, [e(\"path\", { attrs: { d: \"M19,3H5C3.89,3 3,3.89 3,5V19A2,2 0 0,0 5,21H19A2,2 0 0,0 21,19V5C21,3.89 20.1,3 19,3M19,5V19H5V5H19Z\" } }, [t.title ? e(\"title\", [t._v(t._s(t.title))]) : t._e()])])]);\n}, h = [], f = /* @__PURE__ */ s(\n _,\n p,\n h,\n !1,\n null,\n null,\n null,\n null\n);\nconst m = f.exports, g = {\n name: \"MinusBoxIcon\",\n emits: [\"click\"],\n props: {\n title: {\n type: String\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n};\nvar b = function() {\n var t = this, e = t._self._c;\n return e(\"span\", t._b({ staticClass: \"material-design-icon minus-box-icon\", attrs: { \"aria-hidden\": !t.title, \"aria-label\": t.title, role: \"img\" }, on: { click: function(n) {\n return t.$emit(\"click\", n);\n } } }, \"span\", t.$attrs, !1), [e(\"svg\", { staticClass: \"material-design-icon__svg\", attrs: { fill: t.fillColor, width: t.size, height: t.size, viewBox: \"0 0 24 24\" } }, [e(\"path\", { attrs: { d: \"M17,13H7V11H17M19,3H5C3.89,3 3,3.89 3,5V19A2,2 0 0,0 5,21H19A2,2 0 0,0 21,19V5C21,3.89 20.1,3 19,3Z\" } }, [t.title ? e(\"title\", [t._v(t._s(t.title))]) : t._e()])])]);\n}, k = [], v = /* @__PURE__ */ s(\n g,\n b,\n k,\n !1,\n null,\n null,\n null,\n null\n);\nconst y = v.exports, C = {\n name: \"CheckboxMarkedIcon\",\n emits: [\"click\"],\n props: {\n title: {\n type: String\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n};\nvar x = function() {\n var t = this, e = t._self._c;\n return e(\"span\", t._b({ staticClass: \"material-design-icon checkbox-marked-icon\", attrs: { \"aria-hidden\": !t.title, \"aria-label\": t.title, role: \"img\" }, on: { click: function(n) {\n return t.$emit(\"click\", n);\n } } }, \"span\", t.$attrs, !1), [e(\"svg\", { staticClass: \"material-design-icon__svg\", attrs: { fill: t.fillColor, width: t.size, height: t.size, viewBox: \"0 0 24 24\" } }, [e(\"path\", { attrs: { d: \"M10,17L5,12L6.41,10.58L10,14.17L17.59,6.58L19,8M19,3H5C3.89,3 3,3.89 3,5V19A2,2 0 0,0 5,21H19A2,2 0 0,0 21,19V5C21,3.89 20.1,3 19,3Z\" } }, [t.title ? e(\"title\", [t._v(t._s(t.title))]) : t._e()])])]);\n}, w = [], $ = /* @__PURE__ */ s(\n C,\n x,\n w,\n !1,\n null,\n null,\n null,\n null\n);\nconst A = $.exports, S = {\n name: \"RadioboxMarkedIcon\",\n emits: [\"click\"],\n props: {\n title: {\n type: String\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n};\nvar B = function() {\n var t = this, e = t._self._c;\n return e(\"span\", t._b({ staticClass: \"material-design-icon radiobox-marked-icon\", attrs: { \"aria-hidden\": !t.title, \"aria-label\": t.title, role: \"img\" }, on: { click: function(n) {\n return t.$emit(\"click\", n);\n } } }, \"span\", t.$attrs, !1), [e(\"svg\", { staticClass: \"material-design-icon__svg\", attrs: { fill: t.fillColor, width: t.size, height: t.size, viewBox: \"0 0 24 24\" } }, [e(\"path\", { attrs: { d: \"M12,20A8,8 0 0,1 4,12A8,8 0 0,1 12,4A8,8 0 0,1 20,12A8,8 0 0,1 12,20M12,2A10,10 0 0,0 2,12A10,10 0 0,0 12,22A10,10 0 0,0 22,12A10,10 0 0,0 12,2M12,7A5,5 0 0,0 7,12A5,5 0 0,0 12,17A5,5 0 0,0 17,12A5,5 0 0,0 12,7Z\" } }, [t.title ? e(\"title\", [t._v(t._s(t.title))]) : t._e()])])]);\n}, z = [], T = /* @__PURE__ */ s(\n S,\n B,\n z,\n !1,\n null,\n null,\n null,\n null\n);\nconst V = T.exports, M = {\n name: \"RadioboxBlankIcon\",\n emits: [\"click\"],\n props: {\n title: {\n type: String\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n};\nvar R = function() {\n var t = this, e = t._self._c;\n return e(\"span\", t._b({ staticClass: \"material-design-icon radiobox-blank-icon\", attrs: { \"aria-hidden\": !t.title, \"aria-label\": t.title, role: \"img\" }, on: { click: function(n) {\n return t.$emit(\"click\", n);\n } } }, \"span\", t.$attrs, !1), [e(\"svg\", { staticClass: \"material-design-icon__svg\", attrs: { fill: t.fillColor, width: t.size, height: t.size, viewBox: \"0 0 24 24\" } }, [e(\"path\", { attrs: { d: \"M12,20A8,8 0 0,1 4,12A8,8 0 0,1 12,4A8,8 0 0,1 20,12A8,8 0 0,1 12,20M12,2A10,10 0 0,0 2,12A10,10 0 0,0 12,22A10,10 0 0,0 22,12A10,10 0 0,0 12,2Z\" } }, [t.title ? e(\"title\", [t._v(t._s(t.title))]) : t._e()])])]);\n}, N = [], E = /* @__PURE__ */ s(\n M,\n R,\n N,\n !1,\n null,\n null,\n null,\n null\n);\nconst I = E.exports, H = {\n name: \"ToggleSwitchOffIcon\",\n emits: [\"click\"],\n props: {\n title: {\n type: String\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n};\nvar O = function() {\n var t = this, e = t._self._c;\n return e(\"span\", t._b({ staticClass: \"material-design-icon toggle-switch-off-icon\", attrs: { \"aria-hidden\": !t.title, \"aria-label\": t.title, role: \"img\" }, on: { click: function(n) {\n return t.$emit(\"click\", n);\n } } }, \"span\", t.$attrs, !1), [e(\"svg\", { staticClass: \"material-design-icon__svg\", attrs: { fill: t.fillColor, width: t.size, height: t.size, viewBox: \"0 0 24 24\" } }, [e(\"path\", { attrs: { d: \"M17,7H7A5,5 0 0,0 2,12A5,5 0 0,0 7,17H17A5,5 0 0,0 22,12A5,5 0 0,0 17,7M7,15A3,3 0 0,1 4,12A3,3 0 0,1 7,9A3,3 0 0,1 10,12A3,3 0 0,1 7,15Z\" } }, [t.title ? e(\"title\", [t._v(t._s(t.title))]) : t._e()])])]);\n}, F = [], P = /* @__PURE__ */ s(\n H,\n O,\n F,\n !1,\n null,\n null,\n null,\n null\n);\nconst L = P.exports, Z = {\n name: \"ToggleSwitchIcon\",\n emits: [\"click\"],\n props: {\n title: {\n type: String\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n};\nvar G = function() {\n var t = this, e = t._self._c;\n return e(\"span\", t._b({ staticClass: \"material-design-icon toggle-switch-icon\", attrs: { \"aria-hidden\": !t.title, \"aria-label\": t.title, role: \"img\" }, on: { click: function(n) {\n return t.$emit(\"click\", n);\n } } }, \"span\", t.$attrs, !1), [e(\"svg\", { staticClass: \"material-design-icon__svg\", attrs: { fill: t.fillColor, width: t.size, height: t.size, viewBox: \"0 0 24 24\" } }, [e(\"path\", { attrs: { d: \"M17,7H7A5,5 0 0,0 2,12A5,5 0 0,0 7,17H17A5,5 0 0,0 22,12A5,5 0 0,0 17,7M17,15A3,3 0 0,1 14,12A3,3 0 0,1 17,9A3,3 0 0,1 20,12A3,3 0 0,1 17,15Z\" } }, [t.title ? e(\"title\", [t._v(t._s(t.title))]) : t._e()])])]);\n}, W = [], Y = /* @__PURE__ */ s(\n Z,\n G,\n W,\n !1,\n null,\n null,\n null,\n null\n);\nconst q = Y.exports;\nconst r = \"checkbox\", l = \"radio\", a = \"switch\", o = \"button\", j = {\n name: \"NcCheckboxContent\",\n components: {\n NcLoadingIcon: c\n },\n props: {\n /**\n * Unique id attribute of the input to label\n */\n id: {\n type: String,\n default: null\n },\n /**\n * Class for the icon element\n */\n iconClass: {\n type: [String, Object],\n default: null\n },\n /**\n * Class for the text element\n */\n textClass: {\n type: [String, Object],\n default: null\n },\n /**\n * Type of the input. checkbox, radio, switch, or button.\n *\n * Only use button when used in a `tablist` container and the\n * `tab` role is set.\n */\n type: {\n type: String,\n default: \"checkbox\",\n validator: (i) => [\n r,\n l,\n a,\n o\n ].includes(i)\n },\n /**\n * Toggle the alternative button style\n */\n buttonVariant: {\n type: Boolean,\n default: !1\n },\n /**\n * True if the entry is checked\n */\n isChecked: {\n type: Boolean,\n default: !1\n },\n /**\n * Indeterminate state\n */\n indeterminate: {\n type: Boolean,\n default: !1\n },\n /**\n * Loading state\n */\n loading: {\n type: Boolean,\n default: !1\n },\n /**\n * Icon size\n */\n size: {\n type: Number,\n default: 24\n }\n },\n computed: {\n isButtonType() {\n return this.type === o;\n },\n wrapperElement() {\n return this.isButtonType ? \"span\" : \"label\";\n },\n /**\n * Returns the proper Material icon depending on the select case\n *\n * @return {object}\n */\n checkboxRadioIconElement() {\n return this.type === l ? this.isChecked ? V : I : this.type === a ? this.isChecked ? q : L : this.indeterminate ? y : this.isChecked ? A : m;\n }\n }\n};\nvar D = function() {\n var t = this, e = t._self._c;\n return e(t.wrapperElement, { tag: \"component\", staticClass: \"checkbox-content\", class: {\n [\"checkbox-content-\" + t.type]: !0,\n \"checkbox-content--button-variant\": t.buttonVariant\n }, attrs: { for: t.isButtonType ? null : t.id } }, [e(\"span\", { class: {\n \"checkbox-content__icon\": !0,\n \"checkbox-content__icon--checked\": t.isChecked,\n [t.iconClass]: !0\n }, attrs: { \"aria-hidden\": !0 } }, [t._t(\"icon\", function() {\n return [t.loading ? e(\"NcLoadingIcon\") : t.buttonVariant ? t._e() : e(t.checkboxRadioIconElement, { tag: \"component\", attrs: { size: t.size } })];\n }, { checked: t.isChecked, loading: t.loading })], 2), e(\"span\", { class: [\"checkbox-content__text\", t.textClass] }, [t._t(\"default\")], 2)]);\n}, K = [], U = /* @__PURE__ */ s(\n j,\n D,\n K,\n !1,\n null,\n \"af4ec574\",\n null,\n null\n);\nconst X = U.exports;\nconst J = {\n name: \"NcCheckboxRadioSwitch\",\n components: {\n NcCheckboxContent: X\n },\n mixins: [d],\n props: {\n /**\n * Unique id attribute of the input\n */\n id: {\n type: String,\n default: () => \"checkbox-radio-switch-\" + u(),\n validator: (i) => i.trim() !== \"\"\n },\n /**\n * Unique id attribute of the wrapper element\n */\n wrapperId: {\n type: String,\n default: null\n },\n /**\n * Input name. Required for radio, optional for checkbox, and ignored\n * for button.\n */\n name: {\n type: String,\n default: null\n },\n /**\n * Type of the input. checkbox, radio, switch, or button.\n *\n * Only use button when used in a `tablist` container and the\n * `tab` role is set.\n */\n type: {\n type: String,\n default: \"checkbox\",\n validator: (i) => [\n r,\n l,\n a,\n o\n ].includes(i)\n },\n /**\n * Toggle the alternative button style\n */\n buttonVariant: {\n type: Boolean,\n default: !1\n },\n /**\n * Are the elements are all direct siblings?\n * If so they will be grouped horizontally or vertically\n * Possible values are `no`, `horizontal`, `vertical`.\n */\n buttonVariantGrouped: {\n type: String,\n default: \"no\",\n validator: (i) => [\"no\", \"vertical\", \"horizontal\"].includes(i)\n },\n /**\n * Checked state. To be used with `:value.sync`\n */\n checked: {\n type: [Boolean, Array, String],\n default: !1\n },\n /**\n * Value to be synced on check\n */\n value: {\n type: String,\n default: null\n },\n /**\n * Disabled state\n */\n disabled: {\n type: Boolean,\n default: !1\n },\n /**\n * Indeterminate state\n */\n indeterminate: {\n type: Boolean,\n default: !1\n },\n /**\n * Required state\n */\n required: {\n type: Boolean,\n default: !1\n },\n /**\n * Loading state\n */\n loading: {\n type: Boolean,\n default: !1\n },\n /**\n * Wrapping element tag\n *\n * When `type` is set to `button` this will be ignored\n *\n * Defaults to `span`\n */\n wrapperElement: {\n type: String,\n default: null\n }\n },\n emits: [\"update:checked\"],\n computed: {\n isButtonType() {\n return this.type === o;\n },\n computedWrapperElement() {\n return this.isButtonType ? \"button\" : this.wrapperElement !== null ? this.wrapperElement : \"span\";\n },\n inputProps() {\n return this.isButtonType ? null : {\n checked: this.isChecked,\n indeterminate: this.indeterminate,\n required: this.required,\n name: this.name\n };\n },\n listeners() {\n return this.isButtonType ? {\n click: this.onToggle\n } : {\n change: this.onToggle\n };\n },\n /**\n * Icon size\n *\n * @return {number}\n */\n size() {\n return this.type === a ? 36 : 24;\n },\n /**\n * Css local variables for this component\n *\n * @return {object}\n */\n cssVars() {\n return {\n \"--icon-size\": this.size + \"px\"\n };\n },\n /**\n * Return the input type.\n * Switch is not an official type\n *\n * @return {string}\n */\n inputType() {\n return [\n r,\n l,\n o\n ].includes(this.type) ? this.type : r;\n },\n /**\n * Check if that entry is checked\n * If value is defined, we use that as the checked value\n * If not, we expect true/false in this.checked\n *\n * @return {boolean}\n */\n isChecked() {\n return this.value !== null ? Array.isArray(this.checked) ? [...this.checked].indexOf(this.value) > -1 : this.checked === this.value : this.checked === !0;\n }\n },\n mounted() {\n if (this.name && this.type === r && !Array.isArray(this.checked))\n throw new Error(\"When using groups of checkboxes, the updated value will be an array.\");\n if (this.name && this.type === a)\n throw new Error(\"Switches are not made to be used for data sets. Please use checkboxes instead.\");\n if (typeof this.checked != \"boolean\" && this.type === a)\n throw new Error(\"Switches can only be used with boolean as checked prop.\");\n },\n methods: {\n onToggle() {\n if (this.disabled)\n return;\n if (this.type === l) {\n this.$emit(\"update:checked\", this.value);\n return;\n }\n if (this.type === a) {\n this.$emit(\"update:checked\", !this.isChecked);\n return;\n }\n if (typeof this.checked == \"boolean\") {\n this.$emit(\"update:checked\", !this.isChecked);\n return;\n }\n const i = this.getInputsSet().filter((t) => t.checked).map((t) => t.value);\n this.$emit(\"update:checked\", i);\n },\n /**\n * Get the input set based on this name\n *\n * @return {Node[]}\n */\n getInputsSet() {\n return [...document.getElementsByName(this.name)];\n }\n }\n};\nvar Q = function() {\n var t = this, e = t._self._c;\n return e(t.computedWrapperElement, t._g({ tag: \"component\", staticClass: \"checkbox-radio-switch\", class: {\n [\"checkbox-radio-switch-\" + t.type]: t.type,\n \"checkbox-radio-switch--checked\": t.isChecked,\n \"checkbox-radio-switch--disabled\": t.disabled,\n \"checkbox-radio-switch--indeterminate\": t.indeterminate,\n \"checkbox-radio-switch--button-variant\": t.buttonVariant,\n \"checkbox-radio-switch--button-variant-v-grouped\": t.buttonVariant && t.buttonVariantGrouped === \"vertical\",\n \"checkbox-radio-switch--button-variant-h-grouped\": t.buttonVariant && t.buttonVariantGrouped === \"horizontal\",\n \"button-vue\": t.isButtonType\n }, style: t.cssVars, attrs: { id: t.wrapperId, type: t.isButtonType ? \"button\" : null } }, t.isButtonType ? t.listeners : null), [t.isButtonType ? t._e() : e(\"input\", t._g(t._b({ staticClass: \"checkbox-radio-switch__input\", attrs: { id: t.id, disabled: t.disabled, type: t.inputType }, domProps: { value: t.value } }, \"input\", t.inputProps, !1), t.listeners)), e(\"NcCheckboxContent\", { staticClass: \"checkbox-radio-switch__content\", attrs: { id: t.id, \"icon-class\": \"checkbox-radio-switch__icon\", \"text-class\": \"checkbox-radio-switch__text\", type: t.type, indeterminate: t.indeterminate, \"button-variant\": t.buttonVariant, \"is-checked\": t.isChecked, loading: t.loading, size: t.size }, scopedSlots: t._u([{ key: \"icon\", fn: function() {\n return [t._t(\"icon\")];\n }, proxy: !0 }], null, !0) }, [t._t(\"default\")], 2)], 1);\n}, tt = [], et = /* @__PURE__ */ s(\n J,\n Q,\n tt,\n !1,\n null,\n \"9005171d\",\n null,\n null\n);\nconst lt = et.exports;\nexport {\n lt as default\n};\n","\n\n\n","/**\n * SPDX-FileCopyrightText: 2023 Ferdinand Thiessen \n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\n\n/**\n * Debounce a function call for specified amount of time\n *\n * @param func The function to debounce\n * @param timeout Amount of time (ms) to wait\n */\n// eslint-disable-next-line @typescript-eslint/ban-types\nexport function debounce(func: Function, timeout = 300) {\n\tlet timer: number\n\treturn (...args: unknown[]) => {\n\t\tclearTimeout(timer)\n\t\ttimer = window.setTimeout(() => { func.apply(this, args) }, timeout)\n\t}\n}\n","\n\n\n\n\n","\n\n\n\n\n","import Vue from 'vue'\nimport { getCurrentInstance } from 'vue'\n\nvar isVue2 = true\nvar isVue3 = false\nvar Vue2 = Vue\nvar warn = Vue.util.warn\n\nfunction install() {}\n\n// createApp polyfill\nexport function createApp(rootComponent, rootProps) {\n var vm\n var provide = {}\n var app = {\n config: Vue.config,\n use: Vue.use.bind(Vue),\n mixin: Vue.mixin.bind(Vue),\n component: Vue.component.bind(Vue),\n provide: function (key, value) {\n provide[key] = value\n return this\n },\n directive: function (name, dir) {\n if (dir) {\n Vue.directive(name, dir)\n return app\n } else {\n return Vue.directive(name)\n }\n },\n mount: function (el, hydrating) {\n if (!vm) {\n vm = new Vue(Object.assign({ propsData: rootProps }, rootComponent, { provide: Object.assign(provide, rootComponent.provide) }))\n vm.$mount(el, hydrating)\n return vm\n } else {\n return vm\n }\n },\n unmount: function () {\n if (vm) {\n vm.$destroy()\n vm = undefined\n }\n },\n }\n return app\n}\n\nexport {\n Vue,\n Vue2,\n isVue2,\n isVue3,\n install,\n warn\n}\n\n// Vue 3 components mock\nfunction createMockComponent(name) {\n return {\n setup() {\n throw new Error('[vue-demi] ' + name + ' is not supported in Vue 2. It\\'s provided to avoid compiler errors.')\n }\n }\n}\nexport var Fragment = /*#__PURE__*/ createMockComponent('Fragment')\nexport var Transition = /*#__PURE__*/ createMockComponent('Transition')\nexport var TransitionGroup = /*#__PURE__*/ createMockComponent('TransitionGroup')\nexport var Teleport = /*#__PURE__*/ createMockComponent('Teleport')\nexport var Suspense = /*#__PURE__*/ createMockComponent('Suspense')\nexport var KeepAlive = /*#__PURE__*/ createMockComponent('KeepAlive')\n\nexport * from 'vue'\n\n// Not implemented https://github.com/vuejs/core/pull/8111, falls back to getCurrentInstance()\nexport function hasInjectionContext() {\n return !!getCurrentInstance()\n}\n","import { shallowRef, watchEffect, readonly, ref, watch, customRef, getCurrentScope, onScopeDispose, effectScope, provide, inject, isVue3, version, isRef, unref, computed, reactive, toRefs as toRefs$1, toRef as toRef$1, isVue2, set as set$1, getCurrentInstance, onBeforeMount, nextTick, onBeforeUnmount, onMounted, onUnmounted, isReactive } from 'vue-demi';\n\nvar __defProp$b = Object.defineProperty;\nvar __defProps$8 = Object.defineProperties;\nvar __getOwnPropDescs$8 = Object.getOwnPropertyDescriptors;\nvar __getOwnPropSymbols$d = Object.getOwnPropertySymbols;\nvar __hasOwnProp$d = Object.prototype.hasOwnProperty;\nvar __propIsEnum$d = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$b = (obj, key, value) => key in obj ? __defProp$b(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$b = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$d.call(b, prop))\n __defNormalProp$b(a, prop, b[prop]);\n if (__getOwnPropSymbols$d)\n for (var prop of __getOwnPropSymbols$d(b)) {\n if (__propIsEnum$d.call(b, prop))\n __defNormalProp$b(a, prop, b[prop]);\n }\n return a;\n};\nvar __spreadProps$8 = (a, b) => __defProps$8(a, __getOwnPropDescs$8(b));\nfunction computedEager(fn, options) {\n var _a;\n const result = shallowRef();\n watchEffect(() => {\n result.value = fn();\n }, __spreadProps$8(__spreadValues$b({}, options), {\n flush: (_a = options == null ? void 0 : options.flush) != null ? _a : \"sync\"\n }));\n return readonly(result);\n}\n\nfunction computedWithControl(source, fn) {\n let v = void 0;\n let track;\n let trigger;\n const dirty = ref(true);\n const update = () => {\n dirty.value = true;\n trigger();\n };\n watch(source, update, { flush: \"sync\" });\n const get = typeof fn === \"function\" ? fn : fn.get;\n const set = typeof fn === \"function\" ? void 0 : fn.set;\n const result = customRef((_track, _trigger) => {\n track = _track;\n trigger = _trigger;\n return {\n get() {\n if (dirty.value) {\n v = get();\n dirty.value = false;\n }\n track();\n return v;\n },\n set(v2) {\n set == null ? void 0 : set(v2);\n }\n };\n });\n if (Object.isExtensible(result))\n result.trigger = update;\n return result;\n}\n\nfunction tryOnScopeDispose(fn) {\n if (getCurrentScope()) {\n onScopeDispose(fn);\n return true;\n }\n return false;\n}\n\nfunction createEventHook() {\n const fns = /* @__PURE__ */ new Set();\n const off = (fn) => {\n fns.delete(fn);\n };\n const on = (fn) => {\n fns.add(fn);\n const offFn = () => off(fn);\n tryOnScopeDispose(offFn);\n return {\n off: offFn\n };\n };\n const trigger = (param) => {\n return Promise.all(Array.from(fns).map((fn) => fn(param)));\n };\n return {\n on,\n off,\n trigger\n };\n}\n\nfunction createGlobalState(stateFactory) {\n let initialized = false;\n let state;\n const scope = effectScope(true);\n return (...args) => {\n if (!initialized) {\n state = scope.run(() => stateFactory(...args));\n initialized = true;\n }\n return state;\n };\n}\n\nfunction createInjectionState(composable) {\n const key = Symbol(\"InjectionState\");\n const useProvidingState = (...args) => {\n const state = composable(...args);\n provide(key, state);\n return state;\n };\n const useInjectedState = () => inject(key);\n return [useProvidingState, useInjectedState];\n}\n\nfunction createSharedComposable(composable) {\n let subscribers = 0;\n let state;\n let scope;\n const dispose = () => {\n subscribers -= 1;\n if (scope && subscribers <= 0) {\n scope.stop();\n state = void 0;\n scope = void 0;\n }\n };\n return (...args) => {\n subscribers += 1;\n if (!state) {\n scope = effectScope(true);\n state = scope.run(() => composable(...args));\n }\n tryOnScopeDispose(dispose);\n return state;\n };\n}\n\nfunction extendRef(ref, extend, { enumerable = false, unwrap = true } = {}) {\n if (!isVue3 && !version.startsWith(\"2.7.\")) {\n if (process.env.NODE_ENV !== \"production\")\n throw new Error(\"[VueUse] extendRef only works in Vue 2.7 or above.\");\n return;\n }\n for (const [key, value] of Object.entries(extend)) {\n if (key === \"value\")\n continue;\n if (isRef(value) && unwrap) {\n Object.defineProperty(ref, key, {\n get() {\n return value.value;\n },\n set(v) {\n value.value = v;\n },\n enumerable\n });\n } else {\n Object.defineProperty(ref, key, { value, enumerable });\n }\n }\n return ref;\n}\n\nfunction get(obj, key) {\n if (key == null)\n return unref(obj);\n return unref(obj)[key];\n}\n\nfunction isDefined(v) {\n return unref(v) != null;\n}\n\nvar __defProp$a = Object.defineProperty;\nvar __getOwnPropSymbols$c = Object.getOwnPropertySymbols;\nvar __hasOwnProp$c = Object.prototype.hasOwnProperty;\nvar __propIsEnum$c = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$a = (obj, key, value) => key in obj ? __defProp$a(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$a = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$c.call(b, prop))\n __defNormalProp$a(a, prop, b[prop]);\n if (__getOwnPropSymbols$c)\n for (var prop of __getOwnPropSymbols$c(b)) {\n if (__propIsEnum$c.call(b, prop))\n __defNormalProp$a(a, prop, b[prop]);\n }\n return a;\n};\nfunction makeDestructurable(obj, arr) {\n if (typeof Symbol !== \"undefined\") {\n const clone = __spreadValues$a({}, obj);\n Object.defineProperty(clone, Symbol.iterator, {\n enumerable: false,\n value() {\n let index = 0;\n return {\n next: () => ({\n value: arr[index++],\n done: index > arr.length\n })\n };\n }\n });\n return clone;\n } else {\n return Object.assign([...arr], obj);\n }\n}\n\nfunction toValue(r) {\n return typeof r === \"function\" ? r() : unref(r);\n}\nconst resolveUnref = toValue;\n\nfunction reactify(fn, options) {\n const unrefFn = (options == null ? void 0 : options.computedGetter) === false ? unref : toValue;\n return function(...args) {\n return computed(() => fn.apply(this, args.map((i) => unrefFn(i))));\n };\n}\n\nfunction reactifyObject(obj, optionsOrKeys = {}) {\n let keys = [];\n let options;\n if (Array.isArray(optionsOrKeys)) {\n keys = optionsOrKeys;\n } else {\n options = optionsOrKeys;\n const { includeOwnProperties = true } = optionsOrKeys;\n keys.push(...Object.keys(obj));\n if (includeOwnProperties)\n keys.push(...Object.getOwnPropertyNames(obj));\n }\n return Object.fromEntries(\n keys.map((key) => {\n const value = obj[key];\n return [\n key,\n typeof value === \"function\" ? reactify(value.bind(obj), options) : value\n ];\n })\n );\n}\n\nfunction toReactive(objectRef) {\n if (!isRef(objectRef))\n return reactive(objectRef);\n const proxy = new Proxy({}, {\n get(_, p, receiver) {\n return unref(Reflect.get(objectRef.value, p, receiver));\n },\n set(_, p, value) {\n if (isRef(objectRef.value[p]) && !isRef(value))\n objectRef.value[p].value = value;\n else\n objectRef.value[p] = value;\n return true;\n },\n deleteProperty(_, p) {\n return Reflect.deleteProperty(objectRef.value, p);\n },\n has(_, p) {\n return Reflect.has(objectRef.value, p);\n },\n ownKeys() {\n return Object.keys(objectRef.value);\n },\n getOwnPropertyDescriptor() {\n return {\n enumerable: true,\n configurable: true\n };\n }\n });\n return reactive(proxy);\n}\n\nfunction reactiveComputed(fn) {\n return toReactive(computed(fn));\n}\n\nfunction reactiveOmit(obj, ...keys) {\n const flatKeys = keys.flat();\n const predicate = flatKeys[0];\n return reactiveComputed(\n () => typeof predicate === \"function\" ? Object.fromEntries(Object.entries(toRefs$1(obj)).filter(([k, v]) => !predicate(toValue(v), k))) : Object.fromEntries(Object.entries(toRefs$1(obj)).filter((e) => !flatKeys.includes(e[0])))\n );\n}\n\nconst isClient = typeof window !== \"undefined\";\nconst isDef = (val) => typeof val !== \"undefined\";\nconst notNullish = (val) => val != null;\nconst assert = (condition, ...infos) => {\n if (!condition)\n console.warn(...infos);\n};\nconst toString = Object.prototype.toString;\nconst isObject = (val) => toString.call(val) === \"[object Object]\";\nconst now = () => Date.now();\nconst timestamp = () => +Date.now();\nconst clamp = (n, min, max) => Math.min(max, Math.max(min, n));\nconst noop = () => {\n};\nconst rand = (min, max) => {\n min = Math.ceil(min);\n max = Math.floor(max);\n return Math.floor(Math.random() * (max - min + 1)) + min;\n};\nconst hasOwn = (val, key) => Object.prototype.hasOwnProperty.call(val, key);\nconst isIOS = /* @__PURE__ */ getIsIOS();\nfunction getIsIOS() {\n var _a;\n return isClient && ((_a = window == null ? void 0 : window.navigator) == null ? void 0 : _a.userAgent) && /* @__PURE__ */ /iP(ad|hone|od)/.test(window.navigator.userAgent);\n}\n\nfunction createFilterWrapper(filter, fn) {\n function wrapper(...args) {\n return new Promise((resolve, reject) => {\n Promise.resolve(filter(() => fn.apply(this, args), { fn, thisArg: this, args })).then(resolve).catch(reject);\n });\n }\n return wrapper;\n}\nconst bypassFilter = (invoke) => {\n return invoke();\n};\nfunction debounceFilter(ms, options = {}) {\n let timer;\n let maxTimer;\n let lastRejector = noop;\n const _clearTimeout = (timer2) => {\n clearTimeout(timer2);\n lastRejector();\n lastRejector = noop;\n };\n const filter = (invoke) => {\n const duration = toValue(ms);\n const maxDuration = toValue(options.maxWait);\n if (timer)\n _clearTimeout(timer);\n if (duration <= 0 || maxDuration !== void 0 && maxDuration <= 0) {\n if (maxTimer) {\n _clearTimeout(maxTimer);\n maxTimer = null;\n }\n return Promise.resolve(invoke());\n }\n return new Promise((resolve, reject) => {\n lastRejector = options.rejectOnCancel ? reject : resolve;\n if (maxDuration && !maxTimer) {\n maxTimer = setTimeout(() => {\n if (timer)\n _clearTimeout(timer);\n maxTimer = null;\n resolve(invoke());\n }, maxDuration);\n }\n timer = setTimeout(() => {\n if (maxTimer)\n _clearTimeout(maxTimer);\n maxTimer = null;\n resolve(invoke());\n }, duration);\n });\n };\n return filter;\n}\nfunction throttleFilter(ms, trailing = true, leading = true, rejectOnCancel = false) {\n let lastExec = 0;\n let timer;\n let isLeading = true;\n let lastRejector = noop;\n let lastValue;\n const clear = () => {\n if (timer) {\n clearTimeout(timer);\n timer = void 0;\n lastRejector();\n lastRejector = noop;\n }\n };\n const filter = (_invoke) => {\n const duration = toValue(ms);\n const elapsed = Date.now() - lastExec;\n const invoke = () => {\n return lastValue = _invoke();\n };\n clear();\n if (duration <= 0) {\n lastExec = Date.now();\n return invoke();\n }\n if (elapsed > duration && (leading || !isLeading)) {\n lastExec = Date.now();\n invoke();\n } else if (trailing) {\n lastValue = new Promise((resolve, reject) => {\n lastRejector = rejectOnCancel ? reject : resolve;\n timer = setTimeout(() => {\n lastExec = Date.now();\n isLeading = true;\n resolve(invoke());\n clear();\n }, Math.max(0, duration - elapsed));\n });\n }\n if (!leading && !timer)\n timer = setTimeout(() => isLeading = true, duration);\n isLeading = false;\n return lastValue;\n };\n return filter;\n}\nfunction pausableFilter(extendFilter = bypassFilter) {\n const isActive = ref(true);\n function pause() {\n isActive.value = false;\n }\n function resume() {\n isActive.value = true;\n }\n const eventFilter = (...args) => {\n if (isActive.value)\n extendFilter(...args);\n };\n return { isActive: readonly(isActive), pause, resume, eventFilter };\n}\n\nconst directiveHooks = {\n mounted: isVue3 ? \"mounted\" : \"inserted\",\n updated: isVue3 ? \"updated\" : \"componentUpdated\",\n unmounted: isVue3 ? \"unmounted\" : \"unbind\"\n};\n\nfunction promiseTimeout(ms, throwOnTimeout = false, reason = \"Timeout\") {\n return new Promise((resolve, reject) => {\n if (throwOnTimeout)\n setTimeout(() => reject(reason), ms);\n else\n setTimeout(resolve, ms);\n });\n}\nfunction identity(arg) {\n return arg;\n}\nfunction createSingletonPromise(fn) {\n let _promise;\n function wrapper() {\n if (!_promise)\n _promise = fn();\n return _promise;\n }\n wrapper.reset = async () => {\n const _prev = _promise;\n _promise = void 0;\n if (_prev)\n await _prev;\n };\n return wrapper;\n}\nfunction invoke(fn) {\n return fn();\n}\nfunction containsProp(obj, ...props) {\n return props.some((k) => k in obj);\n}\nfunction increaseWithUnit(target, delta) {\n var _a;\n if (typeof target === \"number\")\n return target + delta;\n const value = ((_a = target.match(/^-?[0-9]+\\.?[0-9]*/)) == null ? void 0 : _a[0]) || \"\";\n const unit = target.slice(value.length);\n const result = Number.parseFloat(value) + delta;\n if (Number.isNaN(result))\n return target;\n return result + unit;\n}\nfunction objectPick(obj, keys, omitUndefined = false) {\n return keys.reduce((n, k) => {\n if (k in obj) {\n if (!omitUndefined || obj[k] !== void 0)\n n[k] = obj[k];\n }\n return n;\n }, {});\n}\nfunction objectOmit(obj, keys, omitUndefined = false) {\n return Object.fromEntries(Object.entries(obj).filter(([key, value]) => {\n return (!omitUndefined || value !== void 0) && !keys.includes(key);\n }));\n}\nfunction objectEntries(obj) {\n return Object.entries(obj);\n}\n\nfunction toRef(...args) {\n if (args.length !== 1)\n return toRef$1(...args);\n const r = args[0];\n return typeof r === \"function\" ? readonly(customRef(() => ({ get: r, set: noop }))) : ref(r);\n}\nconst resolveRef = toRef;\n\nfunction reactivePick(obj, ...keys) {\n const flatKeys = keys.flat();\n const predicate = flatKeys[0];\n return reactiveComputed(() => typeof predicate === \"function\" ? Object.fromEntries(Object.entries(toRefs$1(obj)).filter(([k, v]) => predicate(toValue(v), k))) : Object.fromEntries(flatKeys.map((k) => [k, toRef(obj, k)])));\n}\n\nfunction refAutoReset(defaultValue, afterMs = 1e4) {\n return customRef((track, trigger) => {\n let value = defaultValue;\n let timer;\n const resetAfter = () => setTimeout(() => {\n value = defaultValue;\n trigger();\n }, toValue(afterMs));\n tryOnScopeDispose(() => {\n clearTimeout(timer);\n });\n return {\n get() {\n track();\n return value;\n },\n set(newValue) {\n value = newValue;\n trigger();\n clearTimeout(timer);\n timer = resetAfter();\n }\n };\n });\n}\n\nfunction useDebounceFn(fn, ms = 200, options = {}) {\n return createFilterWrapper(\n debounceFilter(ms, options),\n fn\n );\n}\n\nfunction refDebounced(value, ms = 200, options = {}) {\n const debounced = ref(value.value);\n const updater = useDebounceFn(() => {\n debounced.value = value.value;\n }, ms, options);\n watch(value, () => updater());\n return debounced;\n}\n\nfunction refDefault(source, defaultValue) {\n return computed({\n get() {\n var _a;\n return (_a = source.value) != null ? _a : defaultValue;\n },\n set(value) {\n source.value = value;\n }\n });\n}\n\nfunction useThrottleFn(fn, ms = 200, trailing = false, leading = true, rejectOnCancel = false) {\n return createFilterWrapper(\n throttleFilter(ms, trailing, leading, rejectOnCancel),\n fn\n );\n}\n\nfunction refThrottled(value, delay = 200, trailing = true, leading = true) {\n if (delay <= 0)\n return value;\n const throttled = ref(value.value);\n const updater = useThrottleFn(() => {\n throttled.value = value.value;\n }, delay, trailing, leading);\n watch(value, () => updater());\n return throttled;\n}\n\nfunction refWithControl(initial, options = {}) {\n let source = initial;\n let track;\n let trigger;\n const ref = customRef((_track, _trigger) => {\n track = _track;\n trigger = _trigger;\n return {\n get() {\n return get();\n },\n set(v) {\n set(v);\n }\n };\n });\n function get(tracking = true) {\n if (tracking)\n track();\n return source;\n }\n function set(value, triggering = true) {\n var _a, _b;\n if (value === source)\n return;\n const old = source;\n if (((_a = options.onBeforeChange) == null ? void 0 : _a.call(options, value, old)) === false)\n return;\n source = value;\n (_b = options.onChanged) == null ? void 0 : _b.call(options, value, old);\n if (triggering)\n trigger();\n }\n const untrackedGet = () => get(false);\n const silentSet = (v) => set(v, false);\n const peek = () => get(false);\n const lay = (v) => set(v, false);\n return extendRef(\n ref,\n {\n get,\n set,\n untrackedGet,\n silentSet,\n peek,\n lay\n },\n { enumerable: true }\n );\n}\nconst controlledRef = refWithControl;\n\nfunction set(...args) {\n if (args.length === 2) {\n const [ref, value] = args;\n ref.value = value;\n }\n if (args.length === 3) {\n if (isVue2) {\n set$1(...args);\n } else {\n const [target, key, value] = args;\n target[key] = value;\n }\n }\n}\n\nfunction syncRef(left, right, options = {}) {\n var _a, _b;\n const {\n flush = \"sync\",\n deep = false,\n immediate = true,\n direction = \"both\",\n transform = {}\n } = options;\n let watchLeft;\n let watchRight;\n const transformLTR = (_a = transform.ltr) != null ? _a : (v) => v;\n const transformRTL = (_b = transform.rtl) != null ? _b : (v) => v;\n if (direction === \"both\" || direction === \"ltr\") {\n watchLeft = watch(\n left,\n (newValue) => right.value = transformLTR(newValue),\n { flush, deep, immediate }\n );\n }\n if (direction === \"both\" || direction === \"rtl\") {\n watchRight = watch(\n right,\n (newValue) => left.value = transformRTL(newValue),\n { flush, deep, immediate }\n );\n }\n return () => {\n watchLeft == null ? void 0 : watchLeft();\n watchRight == null ? void 0 : watchRight();\n };\n}\n\nfunction syncRefs(source, targets, options = {}) {\n const {\n flush = \"sync\",\n deep = false,\n immediate = true\n } = options;\n if (!Array.isArray(targets))\n targets = [targets];\n return watch(\n source,\n (newValue) => targets.forEach((target) => target.value = newValue),\n { flush, deep, immediate }\n );\n}\n\nvar __defProp$9 = Object.defineProperty;\nvar __defProps$7 = Object.defineProperties;\nvar __getOwnPropDescs$7 = Object.getOwnPropertyDescriptors;\nvar __getOwnPropSymbols$b = Object.getOwnPropertySymbols;\nvar __hasOwnProp$b = Object.prototype.hasOwnProperty;\nvar __propIsEnum$b = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$9 = (obj, key, value) => key in obj ? __defProp$9(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$9 = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$b.call(b, prop))\n __defNormalProp$9(a, prop, b[prop]);\n if (__getOwnPropSymbols$b)\n for (var prop of __getOwnPropSymbols$b(b)) {\n if (__propIsEnum$b.call(b, prop))\n __defNormalProp$9(a, prop, b[prop]);\n }\n return a;\n};\nvar __spreadProps$7 = (a, b) => __defProps$7(a, __getOwnPropDescs$7(b));\nfunction toRefs(objectRef) {\n if (!isRef(objectRef))\n return toRefs$1(objectRef);\n const result = Array.isArray(objectRef.value) ? new Array(objectRef.value.length) : {};\n for (const key in objectRef.value) {\n result[key] = customRef(() => ({\n get() {\n return objectRef.value[key];\n },\n set(v) {\n if (Array.isArray(objectRef.value)) {\n const copy = [...objectRef.value];\n copy[key] = v;\n objectRef.value = copy;\n } else {\n const newObject = __spreadProps$7(__spreadValues$9({}, objectRef.value), { [key]: v });\n Object.setPrototypeOf(newObject, Object.getPrototypeOf(objectRef.value));\n objectRef.value = newObject;\n }\n }\n }));\n }\n return result;\n}\n\nfunction tryOnBeforeMount(fn, sync = true) {\n if (getCurrentInstance())\n onBeforeMount(fn);\n else if (sync)\n fn();\n else\n nextTick(fn);\n}\n\nfunction tryOnBeforeUnmount(fn) {\n if (getCurrentInstance())\n onBeforeUnmount(fn);\n}\n\nfunction tryOnMounted(fn, sync = true) {\n if (getCurrentInstance())\n onMounted(fn);\n else if (sync)\n fn();\n else\n nextTick(fn);\n}\n\nfunction tryOnUnmounted(fn) {\n if (getCurrentInstance())\n onUnmounted(fn);\n}\n\nfunction createUntil(r, isNot = false) {\n function toMatch(condition, { flush = \"sync\", deep = false, timeout, throwOnTimeout } = {}) {\n let stop = null;\n const watcher = new Promise((resolve) => {\n stop = watch(\n r,\n (v) => {\n if (condition(v) !== isNot) {\n stop == null ? void 0 : stop();\n resolve(v);\n }\n },\n {\n flush,\n deep,\n immediate: true\n }\n );\n });\n const promises = [watcher];\n if (timeout != null) {\n promises.push(\n promiseTimeout(timeout, throwOnTimeout).then(() => toValue(r)).finally(() => stop == null ? void 0 : stop())\n );\n }\n return Promise.race(promises);\n }\n function toBe(value, options) {\n if (!isRef(value))\n return toMatch((v) => v === value, options);\n const { flush = \"sync\", deep = false, timeout, throwOnTimeout } = options != null ? options : {};\n let stop = null;\n const watcher = new Promise((resolve) => {\n stop = watch(\n [r, value],\n ([v1, v2]) => {\n if (isNot !== (v1 === v2)) {\n stop == null ? void 0 : stop();\n resolve(v1);\n }\n },\n {\n flush,\n deep,\n immediate: true\n }\n );\n });\n const promises = [watcher];\n if (timeout != null) {\n promises.push(\n promiseTimeout(timeout, throwOnTimeout).then(() => toValue(r)).finally(() => {\n stop == null ? void 0 : stop();\n return toValue(r);\n })\n );\n }\n return Promise.race(promises);\n }\n function toBeTruthy(options) {\n return toMatch((v) => Boolean(v), options);\n }\n function toBeNull(options) {\n return toBe(null, options);\n }\n function toBeUndefined(options) {\n return toBe(void 0, options);\n }\n function toBeNaN(options) {\n return toMatch(Number.isNaN, options);\n }\n function toContains(value, options) {\n return toMatch((v) => {\n const array = Array.from(v);\n return array.includes(value) || array.includes(toValue(value));\n }, options);\n }\n function changed(options) {\n return changedTimes(1, options);\n }\n function changedTimes(n = 1, options) {\n let count = -1;\n return toMatch(() => {\n count += 1;\n return count >= n;\n }, options);\n }\n if (Array.isArray(toValue(r))) {\n const instance = {\n toMatch,\n toContains,\n changed,\n changedTimes,\n get not() {\n return createUntil(r, !isNot);\n }\n };\n return instance;\n } else {\n const instance = {\n toMatch,\n toBe,\n toBeTruthy,\n toBeNull,\n toBeNaN,\n toBeUndefined,\n changed,\n changedTimes,\n get not() {\n return createUntil(r, !isNot);\n }\n };\n return instance;\n }\n}\nfunction until(r) {\n return createUntil(r);\n}\n\nfunction defaultComparator(value, othVal) {\n return value === othVal;\n}\nfunction useArrayDifference(...args) {\n var _a;\n const list = args[0];\n const values = args[1];\n let compareFn = (_a = args[2]) != null ? _a : defaultComparator;\n if (typeof compareFn === \"string\") {\n const key = compareFn;\n compareFn = (value, othVal) => value[key] === othVal[key];\n }\n return computed(() => toValue(list).filter((x) => toValue(values).findIndex((y) => compareFn(x, y)) === -1));\n}\n\nfunction useArrayEvery(list, fn) {\n return computed(() => toValue(list).every((element, index, array) => fn(toValue(element), index, array)));\n}\n\nfunction useArrayFilter(list, fn) {\n return computed(() => toValue(list).map((i) => toValue(i)).filter(fn));\n}\n\nfunction useArrayFind(list, fn) {\n return computed(\n () => toValue(\n toValue(list).find((element, index, array) => fn(toValue(element), index, array))\n )\n );\n}\n\nfunction useArrayFindIndex(list, fn) {\n return computed(() => toValue(list).findIndex((element, index, array) => fn(toValue(element), index, array)));\n}\n\nfunction findLast(arr, cb) {\n let index = arr.length;\n while (index-- > 0) {\n if (cb(arr[index], index, arr))\n return arr[index];\n }\n return void 0;\n}\nfunction useArrayFindLast(list, fn) {\n return computed(\n () => toValue(\n !Array.prototype.findLast ? findLast(toValue(list), (element, index, array) => fn(toValue(element), index, array)) : toValue(list).findLast((element, index, array) => fn(toValue(element), index, array))\n )\n );\n}\n\nfunction isArrayIncludesOptions(obj) {\n return isObject(obj) && containsProp(obj, \"formIndex\", \"comparator\");\n}\nfunction useArrayIncludes(...args) {\n var _a;\n const list = args[0];\n const value = args[1];\n let comparator = args[2];\n let formIndex = 0;\n if (isArrayIncludesOptions(comparator)) {\n formIndex = (_a = comparator.fromIndex) != null ? _a : 0;\n comparator = comparator.comparator;\n }\n if (typeof comparator === \"string\") {\n const key = comparator;\n comparator = (element, value2) => element[key] === toValue(value2);\n }\n comparator = comparator != null ? comparator : (element, value2) => element === toValue(value2);\n return computed(\n () => toValue(list).slice(formIndex).some(\n (element, index, array) => comparator(toValue(element), toValue(value), index, toValue(array))\n )\n );\n}\n\nfunction useArrayJoin(list, separator) {\n return computed(() => toValue(list).map((i) => toValue(i)).join(toValue(separator)));\n}\n\nfunction useArrayMap(list, fn) {\n return computed(() => toValue(list).map((i) => toValue(i)).map(fn));\n}\n\nfunction useArrayReduce(list, reducer, ...args) {\n const reduceCallback = (sum, value, index) => reducer(toValue(sum), toValue(value), index);\n return computed(() => {\n const resolved = toValue(list);\n return args.length ? resolved.reduce(reduceCallback, toValue(args[0])) : resolved.reduce(reduceCallback);\n });\n}\n\nfunction useArraySome(list, fn) {\n return computed(() => toValue(list).some((element, index, array) => fn(toValue(element), index, array)));\n}\n\nfunction uniq(array) {\n return Array.from(new Set(array));\n}\nfunction uniqueElementsBy(array, fn) {\n return array.reduce((acc, v) => {\n if (!acc.some((x) => fn(v, x, array)))\n acc.push(v);\n return acc;\n }, []);\n}\nfunction useArrayUnique(list, compareFn) {\n return computed(() => {\n const resolvedList = toValue(list).map((element) => toValue(element));\n return compareFn ? uniqueElementsBy(resolvedList, compareFn) : uniq(resolvedList);\n });\n}\n\nfunction useCounter(initialValue = 0, options = {}) {\n const count = ref(initialValue);\n const {\n max = Infinity,\n min = -Infinity\n } = options;\n const inc = (delta = 1) => count.value = Math.min(max, count.value + delta);\n const dec = (delta = 1) => count.value = Math.max(min, count.value - delta);\n const get = () => count.value;\n const set = (val) => count.value = Math.max(min, Math.min(max, val));\n const reset = (val = initialValue) => {\n initialValue = val;\n return set(val);\n };\n return { count, inc, dec, get, set, reset };\n}\n\nconst REGEX_PARSE = /^(\\d{4})[-/]?(\\d{1,2})?[-/]?(\\d{0,2})[Tt\\s]*(\\d{1,2})?:?(\\d{1,2})?:?(\\d{1,2})?[.:]?(\\d+)?$/;\nconst REGEX_FORMAT = /\\[([^\\]]+)]|Y{1,4}|M{1,4}|D{1,2}|d{1,4}|H{1,2}|h{1,2}|a{1,2}|A{1,2}|m{1,2}|s{1,2}|Z{1,2}|SSS/g;\nfunction defaultMeridiem(hours, minutes, isLowercase, hasPeriod) {\n let m = hours < 12 ? \"AM\" : \"PM\";\n if (hasPeriod)\n m = m.split(\"\").reduce((acc, curr) => acc += `${curr}.`, \"\");\n return isLowercase ? m.toLowerCase() : m;\n}\nfunction formatDate(date, formatStr, options = {}) {\n var _a;\n const years = date.getFullYear();\n const month = date.getMonth();\n const days = date.getDate();\n const hours = date.getHours();\n const minutes = date.getMinutes();\n const seconds = date.getSeconds();\n const milliseconds = date.getMilliseconds();\n const day = date.getDay();\n const meridiem = (_a = options.customMeridiem) != null ? _a : defaultMeridiem;\n const matches = {\n YY: () => String(years).slice(-2),\n YYYY: () => years,\n M: () => month + 1,\n MM: () => `${month + 1}`.padStart(2, \"0\"),\n MMM: () => date.toLocaleDateString(options.locales, { month: \"short\" }),\n MMMM: () => date.toLocaleDateString(options.locales, { month: \"long\" }),\n D: () => String(days),\n DD: () => `${days}`.padStart(2, \"0\"),\n H: () => String(hours),\n HH: () => `${hours}`.padStart(2, \"0\"),\n h: () => `${hours % 12 || 12}`.padStart(1, \"0\"),\n hh: () => `${hours % 12 || 12}`.padStart(2, \"0\"),\n m: () => String(minutes),\n mm: () => `${minutes}`.padStart(2, \"0\"),\n s: () => String(seconds),\n ss: () => `${seconds}`.padStart(2, \"0\"),\n SSS: () => `${milliseconds}`.padStart(3, \"0\"),\n d: () => day,\n dd: () => date.toLocaleDateString(options.locales, { weekday: \"narrow\" }),\n ddd: () => date.toLocaleDateString(options.locales, { weekday: \"short\" }),\n dddd: () => date.toLocaleDateString(options.locales, { weekday: \"long\" }),\n A: () => meridiem(hours, minutes),\n AA: () => meridiem(hours, minutes, false, true),\n a: () => meridiem(hours, minutes, true),\n aa: () => meridiem(hours, minutes, true, true)\n };\n return formatStr.replace(REGEX_FORMAT, (match, $1) => {\n var _a2;\n return $1 || ((_a2 = matches[match]) == null ? void 0 : _a2.call(matches)) || match;\n });\n}\nfunction normalizeDate(date) {\n if (date === null)\n return /* @__PURE__ */ new Date(NaN);\n if (date === void 0)\n return /* @__PURE__ */ new Date();\n if (date instanceof Date)\n return new Date(date);\n if (typeof date === \"string\" && !/Z$/i.test(date)) {\n const d = date.match(REGEX_PARSE);\n if (d) {\n const m = d[2] - 1 || 0;\n const ms = (d[7] || \"0\").substring(0, 3);\n return new Date(d[1], m, d[3] || 1, d[4] || 0, d[5] || 0, d[6] || 0, ms);\n }\n }\n return new Date(date);\n}\nfunction useDateFormat(date, formatStr = \"HH:mm:ss\", options = {}) {\n return computed(() => formatDate(normalizeDate(toValue(date)), toValue(formatStr), options));\n}\n\nfunction useIntervalFn(cb, interval = 1e3, options = {}) {\n const {\n immediate = true,\n immediateCallback = false\n } = options;\n let timer = null;\n const isActive = ref(false);\n function clean() {\n if (timer) {\n clearInterval(timer);\n timer = null;\n }\n }\n function pause() {\n isActive.value = false;\n clean();\n }\n function resume() {\n const intervalValue = toValue(interval);\n if (intervalValue <= 0)\n return;\n isActive.value = true;\n if (immediateCallback)\n cb();\n clean();\n timer = setInterval(cb, intervalValue);\n }\n if (immediate && isClient)\n resume();\n if (isRef(interval) || typeof interval === \"function\") {\n const stopWatch = watch(interval, () => {\n if (isActive.value && isClient)\n resume();\n });\n tryOnScopeDispose(stopWatch);\n }\n tryOnScopeDispose(pause);\n return {\n isActive,\n pause,\n resume\n };\n}\n\nvar __defProp$8 = Object.defineProperty;\nvar __getOwnPropSymbols$a = Object.getOwnPropertySymbols;\nvar __hasOwnProp$a = Object.prototype.hasOwnProperty;\nvar __propIsEnum$a = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$8 = (obj, key, value) => key in obj ? __defProp$8(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$8 = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$a.call(b, prop))\n __defNormalProp$8(a, prop, b[prop]);\n if (__getOwnPropSymbols$a)\n for (var prop of __getOwnPropSymbols$a(b)) {\n if (__propIsEnum$a.call(b, prop))\n __defNormalProp$8(a, prop, b[prop]);\n }\n return a;\n};\nfunction useInterval(interval = 1e3, options = {}) {\n const {\n controls: exposeControls = false,\n immediate = true,\n callback\n } = options;\n const counter = ref(0);\n const update = () => counter.value += 1;\n const reset = () => {\n counter.value = 0;\n };\n const controls = useIntervalFn(\n callback ? () => {\n update();\n callback(counter.value);\n } : update,\n interval,\n { immediate }\n );\n if (exposeControls) {\n return __spreadValues$8({\n counter,\n reset\n }, controls);\n } else {\n return counter;\n }\n}\n\nfunction useLastChanged(source, options = {}) {\n var _a;\n const ms = ref((_a = options.initialValue) != null ? _a : null);\n watch(\n source,\n () => ms.value = timestamp(),\n options\n );\n return ms;\n}\n\nfunction useTimeoutFn(cb, interval, options = {}) {\n const {\n immediate = true\n } = options;\n const isPending = ref(false);\n let timer = null;\n function clear() {\n if (timer) {\n clearTimeout(timer);\n timer = null;\n }\n }\n function stop() {\n isPending.value = false;\n clear();\n }\n function start(...args) {\n clear();\n isPending.value = true;\n timer = setTimeout(() => {\n isPending.value = false;\n timer = null;\n cb(...args);\n }, toValue(interval));\n }\n if (immediate) {\n isPending.value = true;\n if (isClient)\n start();\n }\n tryOnScopeDispose(stop);\n return {\n isPending: readonly(isPending),\n start,\n stop\n };\n}\n\nvar __defProp$7 = Object.defineProperty;\nvar __getOwnPropSymbols$9 = Object.getOwnPropertySymbols;\nvar __hasOwnProp$9 = Object.prototype.hasOwnProperty;\nvar __propIsEnum$9 = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$7 = (obj, key, value) => key in obj ? __defProp$7(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$7 = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$9.call(b, prop))\n __defNormalProp$7(a, prop, b[prop]);\n if (__getOwnPropSymbols$9)\n for (var prop of __getOwnPropSymbols$9(b)) {\n if (__propIsEnum$9.call(b, prop))\n __defNormalProp$7(a, prop, b[prop]);\n }\n return a;\n};\nfunction useTimeout(interval = 1e3, options = {}) {\n const {\n controls: exposeControls = false,\n callback\n } = options;\n const controls = useTimeoutFn(\n callback != null ? callback : noop,\n interval,\n options\n );\n const ready = computed(() => !controls.isPending.value);\n if (exposeControls) {\n return __spreadValues$7({\n ready\n }, controls);\n } else {\n return ready;\n }\n}\n\nfunction useToNumber(value, options = {}) {\n const {\n method = \"parseFloat\",\n radix,\n nanToZero\n } = options;\n return computed(() => {\n let resolved = toValue(value);\n if (typeof resolved === \"string\")\n resolved = Number[method](resolved, radix);\n if (nanToZero && Number.isNaN(resolved))\n resolved = 0;\n return resolved;\n });\n}\n\nfunction useToString(value) {\n return computed(() => `${toValue(value)}`);\n}\n\nfunction useToggle(initialValue = false, options = {}) {\n const {\n truthyValue = true,\n falsyValue = false\n } = options;\n const valueIsRef = isRef(initialValue);\n const _value = ref(initialValue);\n function toggle(value) {\n if (arguments.length) {\n _value.value = value;\n return _value.value;\n } else {\n const truthy = toValue(truthyValue);\n _value.value = _value.value === truthy ? toValue(falsyValue) : truthy;\n return _value.value;\n }\n }\n if (valueIsRef)\n return toggle;\n else\n return [_value, toggle];\n}\n\nfunction watchArray(source, cb, options) {\n let oldList = (options == null ? void 0 : options.immediate) ? [] : [\n ...source instanceof Function ? source() : Array.isArray(source) ? source : toValue(source)\n ];\n return watch(source, (newList, _, onCleanup) => {\n const oldListRemains = new Array(oldList.length);\n const added = [];\n for (const obj of newList) {\n let found = false;\n for (let i = 0; i < oldList.length; i++) {\n if (!oldListRemains[i] && obj === oldList[i]) {\n oldListRemains[i] = true;\n found = true;\n break;\n }\n }\n if (!found)\n added.push(obj);\n }\n const removed = oldList.filter((_2, i) => !oldListRemains[i]);\n cb(newList, oldList, added, removed, onCleanup);\n oldList = [...newList];\n }, options);\n}\n\nvar __getOwnPropSymbols$8 = Object.getOwnPropertySymbols;\nvar __hasOwnProp$8 = Object.prototype.hasOwnProperty;\nvar __propIsEnum$8 = Object.prototype.propertyIsEnumerable;\nvar __objRest$5 = (source, exclude) => {\n var target = {};\n for (var prop in source)\n if (__hasOwnProp$8.call(source, prop) && exclude.indexOf(prop) < 0)\n target[prop] = source[prop];\n if (source != null && __getOwnPropSymbols$8)\n for (var prop of __getOwnPropSymbols$8(source)) {\n if (exclude.indexOf(prop) < 0 && __propIsEnum$8.call(source, prop))\n target[prop] = source[prop];\n }\n return target;\n};\nfunction watchWithFilter(source, cb, options = {}) {\n const _a = options, {\n eventFilter = bypassFilter\n } = _a, watchOptions = __objRest$5(_a, [\n \"eventFilter\"\n ]);\n return watch(\n source,\n createFilterWrapper(\n eventFilter,\n cb\n ),\n watchOptions\n );\n}\n\nvar __getOwnPropSymbols$7 = Object.getOwnPropertySymbols;\nvar __hasOwnProp$7 = Object.prototype.hasOwnProperty;\nvar __propIsEnum$7 = Object.prototype.propertyIsEnumerable;\nvar __objRest$4 = (source, exclude) => {\n var target = {};\n for (var prop in source)\n if (__hasOwnProp$7.call(source, prop) && exclude.indexOf(prop) < 0)\n target[prop] = source[prop];\n if (source != null && __getOwnPropSymbols$7)\n for (var prop of __getOwnPropSymbols$7(source)) {\n if (exclude.indexOf(prop) < 0 && __propIsEnum$7.call(source, prop))\n target[prop] = source[prop];\n }\n return target;\n};\nfunction watchAtMost(source, cb, options) {\n const _a = options, {\n count\n } = _a, watchOptions = __objRest$4(_a, [\n \"count\"\n ]);\n const current = ref(0);\n const stop = watchWithFilter(\n source,\n (...args) => {\n current.value += 1;\n if (current.value >= toValue(count))\n nextTick(() => stop());\n cb(...args);\n },\n watchOptions\n );\n return { count: current, stop };\n}\n\nvar __defProp$6 = Object.defineProperty;\nvar __defProps$6 = Object.defineProperties;\nvar __getOwnPropDescs$6 = Object.getOwnPropertyDescriptors;\nvar __getOwnPropSymbols$6 = Object.getOwnPropertySymbols;\nvar __hasOwnProp$6 = Object.prototype.hasOwnProperty;\nvar __propIsEnum$6 = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$6 = (obj, key, value) => key in obj ? __defProp$6(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$6 = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$6.call(b, prop))\n __defNormalProp$6(a, prop, b[prop]);\n if (__getOwnPropSymbols$6)\n for (var prop of __getOwnPropSymbols$6(b)) {\n if (__propIsEnum$6.call(b, prop))\n __defNormalProp$6(a, prop, b[prop]);\n }\n return a;\n};\nvar __spreadProps$6 = (a, b) => __defProps$6(a, __getOwnPropDescs$6(b));\nvar __objRest$3 = (source, exclude) => {\n var target = {};\n for (var prop in source)\n if (__hasOwnProp$6.call(source, prop) && exclude.indexOf(prop) < 0)\n target[prop] = source[prop];\n if (source != null && __getOwnPropSymbols$6)\n for (var prop of __getOwnPropSymbols$6(source)) {\n if (exclude.indexOf(prop) < 0 && __propIsEnum$6.call(source, prop))\n target[prop] = source[prop];\n }\n return target;\n};\nfunction watchDebounced(source, cb, options = {}) {\n const _a = options, {\n debounce = 0,\n maxWait = void 0\n } = _a, watchOptions = __objRest$3(_a, [\n \"debounce\",\n \"maxWait\"\n ]);\n return watchWithFilter(\n source,\n cb,\n __spreadProps$6(__spreadValues$6({}, watchOptions), {\n eventFilter: debounceFilter(debounce, { maxWait })\n })\n );\n}\n\nvar __defProp$5 = Object.defineProperty;\nvar __defProps$5 = Object.defineProperties;\nvar __getOwnPropDescs$5 = Object.getOwnPropertyDescriptors;\nvar __getOwnPropSymbols$5 = Object.getOwnPropertySymbols;\nvar __hasOwnProp$5 = Object.prototype.hasOwnProperty;\nvar __propIsEnum$5 = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$5 = (obj, key, value) => key in obj ? __defProp$5(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$5 = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$5.call(b, prop))\n __defNormalProp$5(a, prop, b[prop]);\n if (__getOwnPropSymbols$5)\n for (var prop of __getOwnPropSymbols$5(b)) {\n if (__propIsEnum$5.call(b, prop))\n __defNormalProp$5(a, prop, b[prop]);\n }\n return a;\n};\nvar __spreadProps$5 = (a, b) => __defProps$5(a, __getOwnPropDescs$5(b));\nfunction watchDeep(source, cb, options) {\n return watch(\n source,\n cb,\n __spreadProps$5(__spreadValues$5({}, options), {\n deep: true\n })\n );\n}\n\nvar __defProp$4 = Object.defineProperty;\nvar __defProps$4 = Object.defineProperties;\nvar __getOwnPropDescs$4 = Object.getOwnPropertyDescriptors;\nvar __getOwnPropSymbols$4 = Object.getOwnPropertySymbols;\nvar __hasOwnProp$4 = Object.prototype.hasOwnProperty;\nvar __propIsEnum$4 = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$4 = (obj, key, value) => key in obj ? __defProp$4(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$4 = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$4.call(b, prop))\n __defNormalProp$4(a, prop, b[prop]);\n if (__getOwnPropSymbols$4)\n for (var prop of __getOwnPropSymbols$4(b)) {\n if (__propIsEnum$4.call(b, prop))\n __defNormalProp$4(a, prop, b[prop]);\n }\n return a;\n};\nvar __spreadProps$4 = (a, b) => __defProps$4(a, __getOwnPropDescs$4(b));\nvar __objRest$2 = (source, exclude) => {\n var target = {};\n for (var prop in source)\n if (__hasOwnProp$4.call(source, prop) && exclude.indexOf(prop) < 0)\n target[prop] = source[prop];\n if (source != null && __getOwnPropSymbols$4)\n for (var prop of __getOwnPropSymbols$4(source)) {\n if (exclude.indexOf(prop) < 0 && __propIsEnum$4.call(source, prop))\n target[prop] = source[prop];\n }\n return target;\n};\nfunction watchIgnorable(source, cb, options = {}) {\n const _a = options, {\n eventFilter = bypassFilter\n } = _a, watchOptions = __objRest$2(_a, [\n \"eventFilter\"\n ]);\n const filteredCb = createFilterWrapper(\n eventFilter,\n cb\n );\n let ignoreUpdates;\n let ignorePrevAsyncUpdates;\n let stop;\n if (watchOptions.flush === \"sync\") {\n const ignore = ref(false);\n ignorePrevAsyncUpdates = () => {\n };\n ignoreUpdates = (updater) => {\n ignore.value = true;\n updater();\n ignore.value = false;\n };\n stop = watch(\n source,\n (...args) => {\n if (!ignore.value)\n filteredCb(...args);\n },\n watchOptions\n );\n } else {\n const disposables = [];\n const ignoreCounter = ref(0);\n const syncCounter = ref(0);\n ignorePrevAsyncUpdates = () => {\n ignoreCounter.value = syncCounter.value;\n };\n disposables.push(\n watch(\n source,\n () => {\n syncCounter.value++;\n },\n __spreadProps$4(__spreadValues$4({}, watchOptions), { flush: \"sync\" })\n )\n );\n ignoreUpdates = (updater) => {\n const syncCounterPrev = syncCounter.value;\n updater();\n ignoreCounter.value += syncCounter.value - syncCounterPrev;\n };\n disposables.push(\n watch(\n source,\n (...args) => {\n const ignore = ignoreCounter.value > 0 && ignoreCounter.value === syncCounter.value;\n ignoreCounter.value = 0;\n syncCounter.value = 0;\n if (ignore)\n return;\n filteredCb(...args);\n },\n watchOptions\n )\n );\n stop = () => {\n disposables.forEach((fn) => fn());\n };\n }\n return { stop, ignoreUpdates, ignorePrevAsyncUpdates };\n}\n\nvar __defProp$3 = Object.defineProperty;\nvar __defProps$3 = Object.defineProperties;\nvar __getOwnPropDescs$3 = Object.getOwnPropertyDescriptors;\nvar __getOwnPropSymbols$3 = Object.getOwnPropertySymbols;\nvar __hasOwnProp$3 = Object.prototype.hasOwnProperty;\nvar __propIsEnum$3 = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$3 = (obj, key, value) => key in obj ? __defProp$3(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$3 = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$3.call(b, prop))\n __defNormalProp$3(a, prop, b[prop]);\n if (__getOwnPropSymbols$3)\n for (var prop of __getOwnPropSymbols$3(b)) {\n if (__propIsEnum$3.call(b, prop))\n __defNormalProp$3(a, prop, b[prop]);\n }\n return a;\n};\nvar __spreadProps$3 = (a, b) => __defProps$3(a, __getOwnPropDescs$3(b));\nfunction watchImmediate(source, cb, options) {\n return watch(\n source,\n cb,\n __spreadProps$3(__spreadValues$3({}, options), {\n immediate: true\n })\n );\n}\n\nfunction watchOnce(source, cb, options) {\n const stop = watch(source, (...args) => {\n nextTick(() => stop());\n return cb(...args);\n }, options);\n}\n\nvar __defProp$2 = Object.defineProperty;\nvar __defProps$2 = Object.defineProperties;\nvar __getOwnPropDescs$2 = Object.getOwnPropertyDescriptors;\nvar __getOwnPropSymbols$2 = Object.getOwnPropertySymbols;\nvar __hasOwnProp$2 = Object.prototype.hasOwnProperty;\nvar __propIsEnum$2 = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$2 = (obj, key, value) => key in obj ? __defProp$2(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$2 = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$2.call(b, prop))\n __defNormalProp$2(a, prop, b[prop]);\n if (__getOwnPropSymbols$2)\n for (var prop of __getOwnPropSymbols$2(b)) {\n if (__propIsEnum$2.call(b, prop))\n __defNormalProp$2(a, prop, b[prop]);\n }\n return a;\n};\nvar __spreadProps$2 = (a, b) => __defProps$2(a, __getOwnPropDescs$2(b));\nvar __objRest$1 = (source, exclude) => {\n var target = {};\n for (var prop in source)\n if (__hasOwnProp$2.call(source, prop) && exclude.indexOf(prop) < 0)\n target[prop] = source[prop];\n if (source != null && __getOwnPropSymbols$2)\n for (var prop of __getOwnPropSymbols$2(source)) {\n if (exclude.indexOf(prop) < 0 && __propIsEnum$2.call(source, prop))\n target[prop] = source[prop];\n }\n return target;\n};\nfunction watchPausable(source, cb, options = {}) {\n const _a = options, {\n eventFilter: filter\n } = _a, watchOptions = __objRest$1(_a, [\n \"eventFilter\"\n ]);\n const { eventFilter, pause, resume, isActive } = pausableFilter(filter);\n const stop = watchWithFilter(\n source,\n cb,\n __spreadProps$2(__spreadValues$2({}, watchOptions), {\n eventFilter\n })\n );\n return { stop, pause, resume, isActive };\n}\n\nvar __defProp$1 = Object.defineProperty;\nvar __defProps$1 = Object.defineProperties;\nvar __getOwnPropDescs$1 = Object.getOwnPropertyDescriptors;\nvar __getOwnPropSymbols$1 = Object.getOwnPropertySymbols;\nvar __hasOwnProp$1 = Object.prototype.hasOwnProperty;\nvar __propIsEnum$1 = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$1 = (obj, key, value) => key in obj ? __defProp$1(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$1 = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$1.call(b, prop))\n __defNormalProp$1(a, prop, b[prop]);\n if (__getOwnPropSymbols$1)\n for (var prop of __getOwnPropSymbols$1(b)) {\n if (__propIsEnum$1.call(b, prop))\n __defNormalProp$1(a, prop, b[prop]);\n }\n return a;\n};\nvar __spreadProps$1 = (a, b) => __defProps$1(a, __getOwnPropDescs$1(b));\nvar __objRest = (source, exclude) => {\n var target = {};\n for (var prop in source)\n if (__hasOwnProp$1.call(source, prop) && exclude.indexOf(prop) < 0)\n target[prop] = source[prop];\n if (source != null && __getOwnPropSymbols$1)\n for (var prop of __getOwnPropSymbols$1(source)) {\n if (exclude.indexOf(prop) < 0 && __propIsEnum$1.call(source, prop))\n target[prop] = source[prop];\n }\n return target;\n};\nfunction watchThrottled(source, cb, options = {}) {\n const _a = options, {\n throttle = 0,\n trailing = true,\n leading = true\n } = _a, watchOptions = __objRest(_a, [\n \"throttle\",\n \"trailing\",\n \"leading\"\n ]);\n return watchWithFilter(\n source,\n cb,\n __spreadProps$1(__spreadValues$1({}, watchOptions), {\n eventFilter: throttleFilter(throttle, trailing, leading)\n })\n );\n}\n\nvar __defProp = Object.defineProperty;\nvar __defProps = Object.defineProperties;\nvar __getOwnPropDescs = Object.getOwnPropertyDescriptors;\nvar __getOwnPropSymbols = Object.getOwnPropertySymbols;\nvar __hasOwnProp = Object.prototype.hasOwnProperty;\nvar __propIsEnum = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp = (obj, key, value) => key in obj ? __defProp(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp.call(b, prop))\n __defNormalProp(a, prop, b[prop]);\n if (__getOwnPropSymbols)\n for (var prop of __getOwnPropSymbols(b)) {\n if (__propIsEnum.call(b, prop))\n __defNormalProp(a, prop, b[prop]);\n }\n return a;\n};\nvar __spreadProps = (a, b) => __defProps(a, __getOwnPropDescs(b));\nfunction watchTriggerable(source, cb, options = {}) {\n let cleanupFn;\n function onEffect() {\n if (!cleanupFn)\n return;\n const fn = cleanupFn;\n cleanupFn = void 0;\n fn();\n }\n function onCleanup(callback) {\n cleanupFn = callback;\n }\n const _cb = (value, oldValue) => {\n onEffect();\n return cb(value, oldValue, onCleanup);\n };\n const res = watchIgnorable(source, _cb, options);\n const { ignoreUpdates } = res;\n const trigger = () => {\n let res2;\n ignoreUpdates(() => {\n res2 = _cb(getWatchSources(source), getOldValue(source));\n });\n return res2;\n };\n return __spreadProps(__spreadValues({}, res), {\n trigger\n });\n}\nfunction getWatchSources(sources) {\n if (isReactive(sources))\n return sources;\n if (Array.isArray(sources))\n return sources.map((item) => toValue(item));\n return toValue(sources);\n}\nfunction getOldValue(source) {\n return Array.isArray(source) ? source.map(() => void 0) : void 0;\n}\n\nfunction whenever(source, cb, options) {\n return watch(\n source,\n (v, ov, onInvalidate) => {\n if (v)\n cb(v, ov, onInvalidate);\n },\n options\n );\n}\n\nexport { assert, refAutoReset as autoResetRef, bypassFilter, clamp, computedEager, computedWithControl, containsProp, computedWithControl as controlledComputed, controlledRef, createEventHook, createFilterWrapper, createGlobalState, createInjectionState, reactify as createReactiveFn, createSharedComposable, createSingletonPromise, debounceFilter, refDebounced as debouncedRef, watchDebounced as debouncedWatch, directiveHooks, computedEager as eagerComputed, extendRef, formatDate, get, hasOwn, identity, watchIgnorable as ignorableWatch, increaseWithUnit, invoke, isClient, isDef, isDefined, isIOS, isObject, makeDestructurable, noop, normalizeDate, notNullish, now, objectEntries, objectOmit, objectPick, pausableFilter, watchPausable as pausableWatch, promiseTimeout, rand, reactify, reactifyObject, reactiveComputed, reactiveOmit, reactivePick, refAutoReset, refDebounced, refDefault, refThrottled, refWithControl, resolveRef, resolveUnref, set, syncRef, syncRefs, throttleFilter, refThrottled as throttledRef, watchThrottled as throttledWatch, timestamp, toReactive, toRef, toRefs, toValue, tryOnBeforeMount, tryOnBeforeUnmount, tryOnMounted, tryOnScopeDispose, tryOnUnmounted, until, useArrayDifference, useArrayEvery, useArrayFilter, useArrayFind, useArrayFindIndex, useArrayFindLast, useArrayIncludes, useArrayJoin, useArrayMap, useArrayReduce, useArraySome, useArrayUnique, useCounter, useDateFormat, refDebounced as useDebounce, useDebounceFn, useInterval, useIntervalFn, useLastChanged, refThrottled as useThrottle, useThrottleFn, useTimeout, useTimeoutFn, useToNumber, useToString, useToggle, watchArray, watchAtMost, watchDebounced, watchDeep, watchIgnorable, watchImmediate, watchOnce, watchPausable, watchThrottled, watchTriggerable, watchWithFilter, whenever };\n","import Vue from 'vue'\nimport { getCurrentInstance } from 'vue'\n\nvar isVue2 = true\nvar isVue3 = false\nvar Vue2 = Vue\nvar warn = Vue.util.warn\n\nfunction install() {}\n\n// createApp polyfill\nexport function createApp(rootComponent, rootProps) {\n var vm\n var provide = {}\n var app = {\n config: Vue.config,\n use: Vue.use.bind(Vue),\n mixin: Vue.mixin.bind(Vue),\n component: Vue.component.bind(Vue),\n provide: function (key, value) {\n provide[key] = value\n return this\n },\n directive: function (name, dir) {\n if (dir) {\n Vue.directive(name, dir)\n return app\n } else {\n return Vue.directive(name)\n }\n },\n mount: function (el, hydrating) {\n if (!vm) {\n vm = new Vue(Object.assign({ propsData: rootProps }, rootComponent, { provide: Object.assign(provide, rootComponent.provide) }))\n vm.$mount(el, hydrating)\n return vm\n } else {\n return vm\n }\n },\n unmount: function () {\n if (vm) {\n vm.$destroy()\n vm = undefined\n }\n },\n }\n return app\n}\n\nexport {\n Vue,\n Vue2,\n isVue2,\n isVue3,\n install,\n warn\n}\n\n// Vue 3 components mock\nfunction createMockComponent(name) {\n return {\n setup() {\n throw new Error('[vue-demi] ' + name + ' is not supported in Vue 2. It\\'s provided to avoid compiler errors.')\n }\n }\n}\nexport var Fragment = /*#__PURE__*/ createMockComponent('Fragment')\nexport var Transition = /*#__PURE__*/ createMockComponent('Transition')\nexport var TransitionGroup = /*#__PURE__*/ createMockComponent('TransitionGroup')\nexport var Teleport = /*#__PURE__*/ createMockComponent('Teleport')\nexport var Suspense = /*#__PURE__*/ createMockComponent('Suspense')\nexport var KeepAlive = /*#__PURE__*/ createMockComponent('KeepAlive')\n\nexport * from 'vue'\n\n// Not implemented https://github.com/vuejs/core/pull/8111, falls back to getCurrentInstance()\nexport function hasInjectionContext() {\n return !!getCurrentInstance()\n}\n","import { noop, makeDestructurable, toValue, isClient, tryOnScopeDispose, isIOS, tryOnMounted, computedWithControl, isObject, objectOmit, promiseTimeout, until, toRef, increaseWithUnit, objectEntries, useTimeoutFn, pausableWatch, createEventHook, timestamp, pausableFilter, watchIgnorable, debounceFilter, createFilterWrapper, bypassFilter, createSingletonPromise, toRefs, useIntervalFn, notNullish, containsProp, hasOwn, throttleFilter, useDebounceFn, useThrottleFn, clamp, syncRef, objectPick, tryOnUnmounted, watchWithFilter, identity, isDef } from '@vueuse/shared';\nexport * from '@vueuse/shared';\nimport { isRef, ref, shallowRef, watchEffect, computed, inject, isVue3, version, defineComponent, h, TransitionGroup, shallowReactive, Fragment, watch, getCurrentInstance, customRef, onUpdated, onMounted, readonly, nextTick, reactive, markRaw, getCurrentScope, isVue2, set, del, isReadonly, onBeforeUpdate } from 'vue-demi';\n\nfunction computedAsync(evaluationCallback, initialState, optionsOrRef) {\n let options;\n if (isRef(optionsOrRef)) {\n options = {\n evaluating: optionsOrRef\n };\n } else {\n options = optionsOrRef || {};\n }\n const {\n lazy = false,\n evaluating = void 0,\n shallow = true,\n onError = noop\n } = options;\n const started = ref(!lazy);\n const current = shallow ? shallowRef(initialState) : ref(initialState);\n let counter = 0;\n watchEffect(async (onInvalidate) => {\n if (!started.value)\n return;\n counter++;\n const counterAtBeginning = counter;\n let hasFinished = false;\n if (evaluating) {\n Promise.resolve().then(() => {\n evaluating.value = true;\n });\n }\n try {\n const result = await evaluationCallback((cancelCallback) => {\n onInvalidate(() => {\n if (evaluating)\n evaluating.value = false;\n if (!hasFinished)\n cancelCallback();\n });\n });\n if (counterAtBeginning === counter)\n current.value = result;\n } catch (e) {\n onError(e);\n } finally {\n if (evaluating && counterAtBeginning === counter)\n evaluating.value = false;\n hasFinished = true;\n }\n });\n if (lazy) {\n return computed(() => {\n started.value = true;\n return current.value;\n });\n } else {\n return current;\n }\n}\n\nfunction computedInject(key, options, defaultSource, treatDefaultAsFactory) {\n let source = inject(key);\n if (defaultSource)\n source = inject(key, defaultSource);\n if (treatDefaultAsFactory)\n source = inject(key, defaultSource, treatDefaultAsFactory);\n if (typeof options === \"function\") {\n return computed((ctx) => options(source, ctx));\n } else {\n return computed({\n get: (ctx) => options.get(source, ctx),\n set: options.set\n });\n }\n}\n\nvar __defProp$q = Object.defineProperty;\nvar __defProps$d = Object.defineProperties;\nvar __getOwnPropDescs$d = Object.getOwnPropertyDescriptors;\nvar __getOwnPropSymbols$t = Object.getOwnPropertySymbols;\nvar __hasOwnProp$t = Object.prototype.hasOwnProperty;\nvar __propIsEnum$t = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$q = (obj, key, value) => key in obj ? __defProp$q(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$q = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$t.call(b, prop))\n __defNormalProp$q(a, prop, b[prop]);\n if (__getOwnPropSymbols$t)\n for (var prop of __getOwnPropSymbols$t(b)) {\n if (__propIsEnum$t.call(b, prop))\n __defNormalProp$q(a, prop, b[prop]);\n }\n return a;\n};\nvar __spreadProps$d = (a, b) => __defProps$d(a, __getOwnPropDescs$d(b));\nfunction createReusableTemplate() {\n if (!isVue3 && !version.startsWith(\"2.7.\")) {\n if (process.env.NODE_ENV !== \"production\")\n throw new Error(\"[VueUse] createReusableTemplate only works in Vue 2.7 or above.\");\n return;\n }\n const render = shallowRef();\n const define = /* #__PURE__ */ defineComponent({\n setup(_, { slots }) {\n return () => {\n render.value = slots.default;\n };\n }\n });\n const reuse = /* #__PURE__ */ defineComponent({\n inheritAttrs: false,\n setup(_, { attrs, slots }) {\n return () => {\n var _a;\n if (!render.value && process.env.NODE_ENV !== \"production\")\n throw new Error(\"[VueUse] Failed to find the definition of reusable template\");\n return (_a = render.value) == null ? void 0 : _a.call(render, __spreadProps$d(__spreadValues$q({}, attrs), { $slots: slots }));\n };\n }\n });\n return makeDestructurable(\n { define, reuse },\n [define, reuse]\n );\n}\n\nfunction createTemplatePromise(options = {}) {\n if (!isVue3) {\n if (process.env.NODE_ENV !== \"production\")\n throw new Error(\"[VueUse] createTemplatePromise only works in Vue 3 or above.\");\n return;\n }\n let index = 0;\n const instances = ref([]);\n function create(...args) {\n const props = shallowReactive({\n key: index++,\n args,\n promise: void 0,\n resolve: () => {\n },\n reject: () => {\n },\n isResolving: false,\n options\n });\n instances.value.push(props);\n props.promise = new Promise((_resolve, _reject) => {\n props.resolve = (v) => {\n props.isResolving = true;\n return _resolve(v);\n };\n props.reject = _reject;\n }).finally(() => {\n props.promise = void 0;\n const index2 = instances.value.indexOf(props);\n if (index2 !== -1)\n instances.value.splice(index2, 1);\n });\n return props.promise;\n }\n function start(...args) {\n if (options.singleton && instances.value.length > 0)\n return instances.value[0].promise;\n return create(...args);\n }\n const component = /* #__PURE__ */ defineComponent((_, { slots }) => {\n const renderList = () => instances.value.map((props) => {\n var _a;\n return h(Fragment, { key: props.key }, (_a = slots.default) == null ? void 0 : _a.call(slots, props));\n });\n if (options.transition)\n return () => h(TransitionGroup, options.transition, renderList);\n return renderList;\n });\n component.start = start;\n return component;\n}\n\nfunction createUnrefFn(fn) {\n return function(...args) {\n return fn.apply(this, args.map((i) => toValue(i)));\n };\n}\n\nfunction unrefElement(elRef) {\n var _a;\n const plain = toValue(elRef);\n return (_a = plain == null ? void 0 : plain.$el) != null ? _a : plain;\n}\n\nconst defaultWindow = isClient ? window : void 0;\nconst defaultDocument = isClient ? window.document : void 0;\nconst defaultNavigator = isClient ? window.navigator : void 0;\nconst defaultLocation = isClient ? window.location : void 0;\n\nfunction useEventListener(...args) {\n let target;\n let events;\n let listeners;\n let options;\n if (typeof args[0] === \"string\" || Array.isArray(args[0])) {\n [events, listeners, options] = args;\n target = defaultWindow;\n } else {\n [target, events, listeners, options] = args;\n }\n if (!target)\n return noop;\n if (!Array.isArray(events))\n events = [events];\n if (!Array.isArray(listeners))\n listeners = [listeners];\n const cleanups = [];\n const cleanup = () => {\n cleanups.forEach((fn) => fn());\n cleanups.length = 0;\n };\n const register = (el, event, listener, options2) => {\n el.addEventListener(event, listener, options2);\n return () => el.removeEventListener(event, listener, options2);\n };\n const stopWatch = watch(\n () => [unrefElement(target), toValue(options)],\n ([el, options2]) => {\n cleanup();\n if (!el)\n return;\n cleanups.push(\n ...events.flatMap((event) => {\n return listeners.map((listener) => register(el, event, listener, options2));\n })\n );\n },\n { immediate: true, flush: \"post\" }\n );\n const stop = () => {\n stopWatch();\n cleanup();\n };\n tryOnScopeDispose(stop);\n return stop;\n}\n\nlet _iOSWorkaround = false;\nfunction onClickOutside(target, handler, options = {}) {\n const { window = defaultWindow, ignore = [], capture = true, detectIframe = false } = options;\n if (!window)\n return;\n if (isIOS && !_iOSWorkaround) {\n _iOSWorkaround = true;\n Array.from(window.document.body.children).forEach((el) => el.addEventListener(\"click\", noop));\n }\n let shouldListen = true;\n const shouldIgnore = (event) => {\n return ignore.some((target2) => {\n if (typeof target2 === \"string\") {\n return Array.from(window.document.querySelectorAll(target2)).some((el) => el === event.target || event.composedPath().includes(el));\n } else {\n const el = unrefElement(target2);\n return el && (event.target === el || event.composedPath().includes(el));\n }\n });\n };\n const listener = (event) => {\n const el = unrefElement(target);\n if (!el || el === event.target || event.composedPath().includes(el))\n return;\n if (event.detail === 0)\n shouldListen = !shouldIgnore(event);\n if (!shouldListen) {\n shouldListen = true;\n return;\n }\n handler(event);\n };\n const cleanup = [\n useEventListener(window, \"click\", listener, { passive: true, capture }),\n useEventListener(window, \"pointerdown\", (e) => {\n const el = unrefElement(target);\n if (el)\n shouldListen = !e.composedPath().includes(el) && !shouldIgnore(e);\n }, { passive: true }),\n detectIframe && useEventListener(window, \"blur\", (event) => {\n setTimeout(() => {\n var _a;\n const el = unrefElement(target);\n if (((_a = window.document.activeElement) == null ? void 0 : _a.tagName) === \"IFRAME\" && !(el == null ? void 0 : el.contains(window.document.activeElement)))\n handler(event);\n }, 0);\n })\n ].filter(Boolean);\n const stop = () => cleanup.forEach((fn) => fn());\n return stop;\n}\n\nvar __defProp$p = Object.defineProperty;\nvar __defProps$c = Object.defineProperties;\nvar __getOwnPropDescs$c = Object.getOwnPropertyDescriptors;\nvar __getOwnPropSymbols$s = Object.getOwnPropertySymbols;\nvar __hasOwnProp$s = Object.prototype.hasOwnProperty;\nvar __propIsEnum$s = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$p = (obj, key, value) => key in obj ? __defProp$p(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$p = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$s.call(b, prop))\n __defNormalProp$p(a, prop, b[prop]);\n if (__getOwnPropSymbols$s)\n for (var prop of __getOwnPropSymbols$s(b)) {\n if (__propIsEnum$s.call(b, prop))\n __defNormalProp$p(a, prop, b[prop]);\n }\n return a;\n};\nvar __spreadProps$c = (a, b) => __defProps$c(a, __getOwnPropDescs$c(b));\nfunction createKeyPredicate(keyFilter) {\n if (typeof keyFilter === \"function\")\n return keyFilter;\n else if (typeof keyFilter === \"string\")\n return (event) => event.key === keyFilter;\n else if (Array.isArray(keyFilter))\n return (event) => keyFilter.includes(event.key);\n return () => true;\n}\nfunction onKeyStroke(...args) {\n let key;\n let handler;\n let options = {};\n if (args.length === 3) {\n key = args[0];\n handler = args[1];\n options = args[2];\n } else if (args.length === 2) {\n if (typeof args[1] === \"object\") {\n key = true;\n handler = args[0];\n options = args[1];\n } else {\n key = args[0];\n handler = args[1];\n }\n } else {\n key = true;\n handler = args[0];\n }\n const {\n target = defaultWindow,\n eventName = \"keydown\",\n passive = false,\n dedupe = false\n } = options;\n const predicate = createKeyPredicate(key);\n const listener = (e) => {\n if (e.repeat && toValue(dedupe))\n return;\n if (predicate(e))\n handler(e);\n };\n return useEventListener(target, eventName, listener, passive);\n}\nfunction onKeyDown(key, handler, options = {}) {\n return onKeyStroke(key, handler, __spreadProps$c(__spreadValues$p({}, options), { eventName: \"keydown\" }));\n}\nfunction onKeyPressed(key, handler, options = {}) {\n return onKeyStroke(key, handler, __spreadProps$c(__spreadValues$p({}, options), { eventName: \"keypress\" }));\n}\nfunction onKeyUp(key, handler, options = {}) {\n return onKeyStroke(key, handler, __spreadProps$c(__spreadValues$p({}, options), { eventName: \"keyup\" }));\n}\n\nconst DEFAULT_DELAY = 500;\nfunction onLongPress(target, handler, options) {\n var _a, _b;\n const elementRef = computed(() => unrefElement(target));\n let timeout;\n function clear() {\n if (timeout) {\n clearTimeout(timeout);\n timeout = void 0;\n }\n }\n function onDown(ev) {\n var _a2, _b2, _c, _d;\n if (((_a2 = options == null ? void 0 : options.modifiers) == null ? void 0 : _a2.self) && ev.target !== elementRef.value)\n return;\n clear();\n if ((_b2 = options == null ? void 0 : options.modifiers) == null ? void 0 : _b2.prevent)\n ev.preventDefault();\n if ((_c = options == null ? void 0 : options.modifiers) == null ? void 0 : _c.stop)\n ev.stopPropagation();\n timeout = setTimeout(\n () => handler(ev),\n (_d = options == null ? void 0 : options.delay) != null ? _d : DEFAULT_DELAY\n );\n }\n const listenerOptions = {\n capture: (_a = options == null ? void 0 : options.modifiers) == null ? void 0 : _a.capture,\n once: (_b = options == null ? void 0 : options.modifiers) == null ? void 0 : _b.once\n };\n useEventListener(elementRef, \"pointerdown\", onDown, listenerOptions);\n useEventListener(elementRef, \"pointerup\", clear, listenerOptions);\n useEventListener(elementRef, \"pointerleave\", clear, listenerOptions);\n}\n\nfunction isFocusedElementEditable() {\n const { activeElement, body } = document;\n if (!activeElement)\n return false;\n if (activeElement === body)\n return false;\n switch (activeElement.tagName) {\n case \"INPUT\":\n case \"TEXTAREA\":\n return true;\n }\n return activeElement.hasAttribute(\"contenteditable\");\n}\nfunction isTypedCharValid({\n keyCode,\n metaKey,\n ctrlKey,\n altKey\n}) {\n if (metaKey || ctrlKey || altKey)\n return false;\n if (keyCode >= 48 && keyCode <= 57)\n return true;\n if (keyCode >= 65 && keyCode <= 90)\n return true;\n if (keyCode >= 97 && keyCode <= 122)\n return true;\n return false;\n}\nfunction onStartTyping(callback, options = {}) {\n const { document: document2 = defaultDocument } = options;\n const keydown = (event) => {\n !isFocusedElementEditable() && isTypedCharValid(event) && callback(event);\n };\n if (document2)\n useEventListener(document2, \"keydown\", keydown, { passive: true });\n}\n\nfunction templateRef(key, initialValue = null) {\n const instance = getCurrentInstance();\n let _trigger = () => {\n };\n const element = customRef((track, trigger) => {\n _trigger = trigger;\n return {\n get() {\n var _a, _b;\n track();\n return (_b = (_a = instance == null ? void 0 : instance.proxy) == null ? void 0 : _a.$refs[key]) != null ? _b : initialValue;\n },\n set() {\n }\n };\n });\n tryOnMounted(_trigger);\n onUpdated(_trigger);\n return element;\n}\n\nfunction useActiveElement(options = {}) {\n var _a;\n const { window = defaultWindow } = options;\n const document = (_a = options.document) != null ? _a : window == null ? void 0 : window.document;\n const activeElement = computedWithControl(\n () => null,\n () => document == null ? void 0 : document.activeElement\n );\n if (window) {\n useEventListener(window, \"blur\", (event) => {\n if (event.relatedTarget !== null)\n return;\n activeElement.trigger();\n }, true);\n useEventListener(window, \"focus\", activeElement.trigger, true);\n }\n return activeElement;\n}\n\nfunction useMounted() {\n const isMounted = ref(false);\n if (getCurrentInstance()) {\n onMounted(() => {\n isMounted.value = true;\n });\n }\n return isMounted;\n}\n\nfunction useSupported(callback) {\n const isMounted = useMounted();\n return computed(() => {\n isMounted.value;\n return Boolean(callback());\n });\n}\n\nfunction useRafFn(fn, options = {}) {\n const {\n immediate = true,\n window = defaultWindow\n } = options;\n const isActive = ref(false);\n let previousFrameTimestamp = 0;\n let rafId = null;\n function loop(timestamp) {\n if (!isActive.value || !window)\n return;\n const delta = timestamp - (previousFrameTimestamp || timestamp);\n fn({ delta, timestamp });\n previousFrameTimestamp = timestamp;\n rafId = window.requestAnimationFrame(loop);\n }\n function resume() {\n if (!isActive.value && window) {\n isActive.value = true;\n rafId = window.requestAnimationFrame(loop);\n }\n }\n function pause() {\n isActive.value = false;\n if (rafId != null && window) {\n window.cancelAnimationFrame(rafId);\n rafId = null;\n }\n }\n if (immediate)\n resume();\n tryOnScopeDispose(pause);\n return {\n isActive: readonly(isActive),\n pause,\n resume\n };\n}\n\nfunction useAnimate(target, keyframes, options) {\n let config;\n let animateOptions;\n if (isObject(options)) {\n config = options;\n animateOptions = objectOmit(options, [\"window\", \"immediate\", \"commitStyles\", \"persist\", \"onReady\", \"onError\"]);\n } else {\n config = { duration: options };\n animateOptions = options;\n }\n const {\n window = defaultWindow,\n immediate = true,\n commitStyles,\n persist,\n playbackRate: _playbackRate = 1,\n onReady,\n onError = (e) => {\n console.error(e);\n }\n } = config;\n const isSupported = useSupported(() => window && HTMLElement && \"animate\" in HTMLElement.prototype);\n const animate = shallowRef(void 0);\n const store = shallowReactive({\n startTime: null,\n currentTime: null,\n timeline: null,\n playbackRate: _playbackRate,\n pending: false,\n playState: immediate ? \"idle\" : \"paused\",\n replaceState: \"active\"\n });\n const pending = computed(() => store.pending);\n const playState = computed(() => store.playState);\n const replaceState = computed(() => store.replaceState);\n const startTime = computed({\n get() {\n return store.startTime;\n },\n set(value) {\n store.startTime = value;\n if (animate.value)\n animate.value.startTime = value;\n }\n });\n const currentTime = computed({\n get() {\n return store.currentTime;\n },\n set(value) {\n store.currentTime = value;\n if (animate.value) {\n animate.value.currentTime = value;\n syncResume();\n }\n }\n });\n const timeline = computed({\n get() {\n return store.timeline;\n },\n set(value) {\n store.timeline = value;\n if (animate.value)\n animate.value.timeline = value;\n }\n });\n const playbackRate = computed({\n get() {\n return store.playbackRate;\n },\n set(value) {\n store.playbackRate = value;\n if (animate.value)\n animate.value.playbackRate = value;\n }\n });\n const play = () => {\n if (animate.value) {\n try {\n animate.value.play();\n syncResume();\n } catch (e) {\n syncPause();\n onError(e);\n }\n } else {\n update();\n }\n };\n const pause = () => {\n var _a;\n try {\n (_a = animate.value) == null ? void 0 : _a.pause();\n syncPause();\n } catch (e) {\n onError(e);\n }\n };\n const reverse = () => {\n var _a;\n !animate.value && update();\n try {\n (_a = animate.value) == null ? void 0 : _a.reverse();\n syncResume();\n } catch (e) {\n syncPause();\n onError(e);\n }\n };\n const finish = () => {\n var _a;\n try {\n (_a = animate.value) == null ? void 0 : _a.finish();\n syncPause();\n } catch (e) {\n onError(e);\n }\n };\n const cancel = () => {\n var _a;\n try {\n (_a = animate.value) == null ? void 0 : _a.cancel();\n syncPause();\n } catch (e) {\n onError(e);\n }\n };\n watch(() => unrefElement(target), (el) => {\n el && update();\n });\n watch(() => keyframes, (value) => {\n !animate.value && update();\n if (!unrefElement(target) && animate.value) {\n animate.value.effect = new KeyframeEffect(\n unrefElement(target),\n toValue(value),\n animateOptions\n );\n }\n }, { deep: true });\n tryOnMounted(() => {\n nextTick(() => update(true));\n });\n tryOnScopeDispose(cancel);\n function update(init) {\n const el = unrefElement(target);\n if (!isSupported.value || !el)\n return;\n animate.value = el.animate(toValue(keyframes), animateOptions);\n if (commitStyles)\n animate.value.commitStyles();\n if (persist)\n animate.value.persist();\n if (_playbackRate !== 1)\n animate.value.playbackRate = _playbackRate;\n if (init && !immediate)\n animate.value.pause();\n else\n syncResume();\n onReady == null ? void 0 : onReady(animate.value);\n }\n useEventListener(animate, \"cancel\", syncPause);\n useEventListener(animate, \"finish\", syncPause);\n useEventListener(animate, \"remove\", syncPause);\n const { resume: resumeRef, pause: pauseRef } = useRafFn(() => {\n if (!animate.value)\n return;\n store.pending = animate.value.pending;\n store.playState = animate.value.playState;\n store.replaceState = animate.value.replaceState;\n store.startTime = animate.value.startTime;\n store.currentTime = animate.value.currentTime;\n store.timeline = animate.value.timeline;\n store.playbackRate = animate.value.playbackRate;\n }, { immediate: false });\n function syncResume() {\n if (isSupported.value)\n resumeRef();\n }\n function syncPause() {\n if (isSupported.value && window)\n window.requestAnimationFrame(pauseRef);\n }\n return {\n isSupported,\n animate,\n // actions\n play,\n pause,\n reverse,\n finish,\n cancel,\n // state\n pending,\n playState,\n replaceState,\n startTime,\n currentTime,\n timeline,\n playbackRate\n };\n}\n\nfunction useAsyncQueue(tasks, options = {}) {\n const {\n interrupt = true,\n onError = noop,\n onFinished = noop,\n signal\n } = options;\n const promiseState = {\n aborted: \"aborted\",\n fulfilled: \"fulfilled\",\n pending: \"pending\",\n rejected: \"rejected\"\n };\n const initialResult = Array.from(new Array(tasks.length), () => ({ state: promiseState.pending, data: null }));\n const result = reactive(initialResult);\n const activeIndex = ref(-1);\n if (!tasks || tasks.length === 0) {\n onFinished();\n return {\n activeIndex,\n result\n };\n }\n function updateResult(state, res) {\n activeIndex.value++;\n result[activeIndex.value].data = res;\n result[activeIndex.value].state = state;\n }\n tasks.reduce((prev, curr) => {\n return prev.then((prevRes) => {\n var _a;\n if (signal == null ? void 0 : signal.aborted) {\n updateResult(promiseState.aborted, new Error(\"aborted\"));\n return;\n }\n if (((_a = result[activeIndex.value]) == null ? void 0 : _a.state) === promiseState.rejected && interrupt) {\n onFinished();\n return;\n }\n const done = curr(prevRes).then((currentRes) => {\n updateResult(promiseState.fulfilled, currentRes);\n activeIndex.value === tasks.length - 1 && onFinished();\n return currentRes;\n });\n if (!signal)\n return done;\n return Promise.race([done, whenAborted(signal)]);\n }).catch((e) => {\n if (signal == null ? void 0 : signal.aborted) {\n updateResult(promiseState.aborted, e);\n return e;\n }\n updateResult(promiseState.rejected, e);\n onError();\n return e;\n });\n }, Promise.resolve());\n return {\n activeIndex,\n result\n };\n}\nfunction whenAborted(signal) {\n return new Promise((resolve, reject) => {\n const error = new Error(\"aborted\");\n if (signal.aborted)\n reject(error);\n else\n signal.addEventListener(\"abort\", () => reject(error), { once: true });\n });\n}\n\nvar __defProp$o = Object.defineProperty;\nvar __defProps$b = Object.defineProperties;\nvar __getOwnPropDescs$b = Object.getOwnPropertyDescriptors;\nvar __getOwnPropSymbols$r = Object.getOwnPropertySymbols;\nvar __hasOwnProp$r = Object.prototype.hasOwnProperty;\nvar __propIsEnum$r = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$o = (obj, key, value) => key in obj ? __defProp$o(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$o = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$r.call(b, prop))\n __defNormalProp$o(a, prop, b[prop]);\n if (__getOwnPropSymbols$r)\n for (var prop of __getOwnPropSymbols$r(b)) {\n if (__propIsEnum$r.call(b, prop))\n __defNormalProp$o(a, prop, b[prop]);\n }\n return a;\n};\nvar __spreadProps$b = (a, b) => __defProps$b(a, __getOwnPropDescs$b(b));\nfunction useAsyncState(promise, initialState, options) {\n const {\n immediate = true,\n delay = 0,\n onError = noop,\n onSuccess = noop,\n resetOnExecute = true,\n shallow = true,\n throwError\n } = options != null ? options : {};\n const state = shallow ? shallowRef(initialState) : ref(initialState);\n const isReady = ref(false);\n const isLoading = ref(false);\n const error = shallowRef(void 0);\n async function execute(delay2 = 0, ...args) {\n if (resetOnExecute)\n state.value = initialState;\n error.value = void 0;\n isReady.value = false;\n isLoading.value = true;\n if (delay2 > 0)\n await promiseTimeout(delay2);\n const _promise = typeof promise === \"function\" ? promise(...args) : promise;\n try {\n const data = await _promise;\n state.value = data;\n isReady.value = true;\n onSuccess(data);\n } catch (e) {\n error.value = e;\n onError(e);\n if (throwError)\n throw e;\n } finally {\n isLoading.value = false;\n }\n return state.value;\n }\n if (immediate)\n execute(delay);\n const shell = {\n state,\n isReady,\n isLoading,\n error,\n execute\n };\n function waitUntilIsLoaded() {\n return new Promise((resolve, reject) => {\n until(isLoading).toBe(false).then(() => resolve(shell)).catch(reject);\n });\n }\n return __spreadProps$b(__spreadValues$o({}, shell), {\n then(onFulfilled, onRejected) {\n return waitUntilIsLoaded().then(onFulfilled, onRejected);\n }\n });\n}\n\nconst defaults = {\n array: (v) => JSON.stringify(v),\n object: (v) => JSON.stringify(v),\n set: (v) => JSON.stringify(Array.from(v)),\n map: (v) => JSON.stringify(Object.fromEntries(v)),\n null: () => \"\"\n};\nfunction getDefaultSerialization(target) {\n if (!target)\n return defaults.null;\n if (target instanceof Map)\n return defaults.map;\n else if (target instanceof Set)\n return defaults.set;\n else if (Array.isArray(target))\n return defaults.array;\n else\n return defaults.object;\n}\n\nfunction useBase64(target, options) {\n const base64 = ref(\"\");\n const promise = ref();\n function execute() {\n if (!isClient)\n return;\n promise.value = new Promise((resolve, reject) => {\n try {\n const _target = toValue(target);\n if (_target == null) {\n resolve(\"\");\n } else if (typeof _target === \"string\") {\n resolve(blobToBase64(new Blob([_target], { type: \"text/plain\" })));\n } else if (_target instanceof Blob) {\n resolve(blobToBase64(_target));\n } else if (_target instanceof ArrayBuffer) {\n resolve(window.btoa(String.fromCharCode(...new Uint8Array(_target))));\n } else if (_target instanceof HTMLCanvasElement) {\n resolve(_target.toDataURL(options == null ? void 0 : options.type, options == null ? void 0 : options.quality));\n } else if (_target instanceof HTMLImageElement) {\n const img = _target.cloneNode(false);\n img.crossOrigin = \"Anonymous\";\n imgLoaded(img).then(() => {\n const canvas = document.createElement(\"canvas\");\n const ctx = canvas.getContext(\"2d\");\n canvas.width = img.width;\n canvas.height = img.height;\n ctx.drawImage(img, 0, 0, canvas.width, canvas.height);\n resolve(canvas.toDataURL(options == null ? void 0 : options.type, options == null ? void 0 : options.quality));\n }).catch(reject);\n } else if (typeof _target === \"object\") {\n const _serializeFn = (options == null ? void 0 : options.serializer) || getDefaultSerialization(_target);\n const serialized = _serializeFn(_target);\n return resolve(blobToBase64(new Blob([serialized], { type: \"application/json\" })));\n } else {\n reject(new Error(\"target is unsupported types\"));\n }\n } catch (error) {\n reject(error);\n }\n });\n promise.value.then((res) => base64.value = res);\n return promise.value;\n }\n if (isRef(target) || typeof target === \"function\")\n watch(target, execute, { immediate: true });\n else\n execute();\n return {\n base64,\n promise,\n execute\n };\n}\nfunction imgLoaded(img) {\n return new Promise((resolve, reject) => {\n if (!img.complete) {\n img.onload = () => {\n resolve();\n };\n img.onerror = reject;\n } else {\n resolve();\n }\n });\n}\nfunction blobToBase64(blob) {\n return new Promise((resolve, reject) => {\n const fr = new FileReader();\n fr.onload = (e) => {\n resolve(e.target.result);\n };\n fr.onerror = reject;\n fr.readAsDataURL(blob);\n });\n}\n\nfunction useBattery({ navigator = defaultNavigator } = {}) {\n const events = [\"chargingchange\", \"chargingtimechange\", \"dischargingtimechange\", \"levelchange\"];\n const isSupported = useSupported(() => navigator && \"getBattery\" in navigator);\n const charging = ref(false);\n const chargingTime = ref(0);\n const dischargingTime = ref(0);\n const level = ref(1);\n let battery;\n function updateBatteryInfo() {\n charging.value = this.charging;\n chargingTime.value = this.chargingTime || 0;\n dischargingTime.value = this.dischargingTime || 0;\n level.value = this.level;\n }\n if (isSupported.value) {\n navigator.getBattery().then((_battery) => {\n battery = _battery;\n updateBatteryInfo.call(battery);\n for (const event of events)\n useEventListener(battery, event, updateBatteryInfo, { passive: true });\n });\n }\n return {\n isSupported,\n charging,\n chargingTime,\n dischargingTime,\n level\n };\n}\n\nfunction useBluetooth(options) {\n let {\n acceptAllDevices = false\n } = options || {};\n const {\n filters = void 0,\n optionalServices = void 0,\n navigator = defaultNavigator\n } = options || {};\n const isSupported = useSupported(() => navigator && \"bluetooth\" in navigator);\n const device = shallowRef(void 0);\n const error = shallowRef(null);\n watch(device, () => {\n connectToBluetoothGATTServer();\n });\n async function requestDevice() {\n if (!isSupported.value)\n return;\n error.value = null;\n if (filters && filters.length > 0)\n acceptAllDevices = false;\n try {\n device.value = await (navigator == null ? void 0 : navigator.bluetooth.requestDevice({\n acceptAllDevices,\n filters,\n optionalServices\n }));\n } catch (err) {\n error.value = err;\n }\n }\n const server = ref();\n const isConnected = computed(() => {\n var _a;\n return ((_a = server.value) == null ? void 0 : _a.connected) || false;\n });\n async function connectToBluetoothGATTServer() {\n error.value = null;\n if (device.value && device.value.gatt) {\n device.value.addEventListener(\"gattserverdisconnected\", () => {\n });\n try {\n server.value = await device.value.gatt.connect();\n } catch (err) {\n error.value = err;\n }\n }\n }\n tryOnMounted(() => {\n var _a;\n if (device.value)\n (_a = device.value.gatt) == null ? void 0 : _a.connect();\n });\n tryOnScopeDispose(() => {\n var _a;\n if (device.value)\n (_a = device.value.gatt) == null ? void 0 : _a.disconnect();\n });\n return {\n isSupported,\n isConnected,\n // Device:\n device,\n requestDevice,\n // Server:\n server,\n // Errors:\n error\n };\n}\n\nfunction useMediaQuery(query, options = {}) {\n const { window = defaultWindow } = options;\n const isSupported = useSupported(() => window && \"matchMedia\" in window && typeof window.matchMedia === \"function\");\n let mediaQuery;\n const matches = ref(false);\n const cleanup = () => {\n if (!mediaQuery)\n return;\n if (\"removeEventListener\" in mediaQuery)\n mediaQuery.removeEventListener(\"change\", update);\n else\n mediaQuery.removeListener(update);\n };\n const update = () => {\n if (!isSupported.value)\n return;\n cleanup();\n mediaQuery = window.matchMedia(toRef(query).value);\n matches.value = !!(mediaQuery == null ? void 0 : mediaQuery.matches);\n if (!mediaQuery)\n return;\n if (\"addEventListener\" in mediaQuery)\n mediaQuery.addEventListener(\"change\", update);\n else\n mediaQuery.addListener(update);\n };\n watchEffect(update);\n tryOnScopeDispose(() => cleanup());\n return matches;\n}\n\nconst breakpointsTailwind = {\n \"sm\": 640,\n \"md\": 768,\n \"lg\": 1024,\n \"xl\": 1280,\n \"2xl\": 1536\n};\nconst breakpointsBootstrapV5 = {\n sm: 576,\n md: 768,\n lg: 992,\n xl: 1200,\n xxl: 1400\n};\nconst breakpointsVuetify = {\n xs: 600,\n sm: 960,\n md: 1264,\n lg: 1904\n};\nconst breakpointsAntDesign = {\n xs: 480,\n sm: 576,\n md: 768,\n lg: 992,\n xl: 1200,\n xxl: 1600\n};\nconst breakpointsQuasar = {\n xs: 600,\n sm: 1024,\n md: 1440,\n lg: 1920\n};\nconst breakpointsSematic = {\n mobileS: 320,\n mobileM: 375,\n mobileL: 425,\n tablet: 768,\n laptop: 1024,\n laptopL: 1440,\n desktop4K: 2560\n};\nconst breakpointsMasterCss = {\n \"3xs\": 360,\n \"2xs\": 480,\n \"xs\": 600,\n \"sm\": 768,\n \"md\": 1024,\n \"lg\": 1280,\n \"xl\": 1440,\n \"2xl\": 1600,\n \"3xl\": 1920,\n \"4xl\": 2560\n};\n\nfunction useBreakpoints(breakpoints, options = {}) {\n function getValue(k, delta) {\n let v = breakpoints[k];\n if (delta != null)\n v = increaseWithUnit(v, delta);\n if (typeof v === \"number\")\n v = `${v}px`;\n return v;\n }\n const { window = defaultWindow } = options;\n function match(query) {\n if (!window)\n return false;\n return window.matchMedia(query).matches;\n }\n const greaterOrEqual = (k) => {\n return useMediaQuery(`(min-width: ${getValue(k)})`, options);\n };\n const shortcutMethods = Object.keys(breakpoints).reduce((shortcuts, k) => {\n Object.defineProperty(shortcuts, k, {\n get: () => greaterOrEqual(k),\n enumerable: true,\n configurable: true\n });\n return shortcuts;\n }, {});\n return Object.assign(shortcutMethods, {\n greater(k) {\n return useMediaQuery(`(min-width: ${getValue(k, 0.1)})`, options);\n },\n greaterOrEqual,\n smaller(k) {\n return useMediaQuery(`(max-width: ${getValue(k, -0.1)})`, options);\n },\n smallerOrEqual(k) {\n return useMediaQuery(`(max-width: ${getValue(k)})`, options);\n },\n between(a, b) {\n return useMediaQuery(`(min-width: ${getValue(a)}) and (max-width: ${getValue(b, -0.1)})`, options);\n },\n isGreater(k) {\n return match(`(min-width: ${getValue(k, 0.1)})`);\n },\n isGreaterOrEqual(k) {\n return match(`(min-width: ${getValue(k)})`);\n },\n isSmaller(k) {\n return match(`(max-width: ${getValue(k, -0.1)})`);\n },\n isSmallerOrEqual(k) {\n return match(`(max-width: ${getValue(k)})`);\n },\n isInBetween(a, b) {\n return match(`(min-width: ${getValue(a)}) and (max-width: ${getValue(b, -0.1)})`);\n },\n current() {\n const points = Object.keys(breakpoints).map((i) => [i, greaterOrEqual(i)]);\n return computed(() => points.filter(([, v]) => v.value).map(([k]) => k));\n }\n });\n}\n\nfunction useBroadcastChannel(options) {\n const {\n name,\n window = defaultWindow\n } = options;\n const isSupported = useSupported(() => window && \"BroadcastChannel\" in window);\n const isClosed = ref(false);\n const channel = ref();\n const data = ref();\n const error = shallowRef(null);\n const post = (data2) => {\n if (channel.value)\n channel.value.postMessage(data2);\n };\n const close = () => {\n if (channel.value)\n channel.value.close();\n isClosed.value = true;\n };\n if (isSupported.value) {\n tryOnMounted(() => {\n error.value = null;\n channel.value = new BroadcastChannel(name);\n channel.value.addEventListener(\"message\", (e) => {\n data.value = e.data;\n }, { passive: true });\n channel.value.addEventListener(\"messageerror\", (e) => {\n error.value = e;\n }, { passive: true });\n channel.value.addEventListener(\"close\", () => {\n isClosed.value = true;\n });\n });\n }\n tryOnScopeDispose(() => {\n close();\n });\n return {\n isSupported,\n channel,\n data,\n post,\n close,\n error,\n isClosed\n };\n}\n\nvar __defProp$n = Object.defineProperty;\nvar __getOwnPropSymbols$q = Object.getOwnPropertySymbols;\nvar __hasOwnProp$q = Object.prototype.hasOwnProperty;\nvar __propIsEnum$q = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$n = (obj, key, value) => key in obj ? __defProp$n(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$n = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$q.call(b, prop))\n __defNormalProp$n(a, prop, b[prop]);\n if (__getOwnPropSymbols$q)\n for (var prop of __getOwnPropSymbols$q(b)) {\n if (__propIsEnum$q.call(b, prop))\n __defNormalProp$n(a, prop, b[prop]);\n }\n return a;\n};\nconst WRITABLE_PROPERTIES = [\n \"hash\",\n \"host\",\n \"hostname\",\n \"href\",\n \"pathname\",\n \"port\",\n \"protocol\",\n \"search\"\n];\nfunction useBrowserLocation({ window = defaultWindow } = {}) {\n const refs = Object.fromEntries(\n WRITABLE_PROPERTIES.map((key) => [key, ref()])\n );\n for (const [key, ref2] of objectEntries(refs)) {\n watch(ref2, (value) => {\n if (!(window == null ? void 0 : window.location) || window.location[key] === value)\n return;\n window.location[key] = value;\n });\n }\n const buildState = (trigger) => {\n var _a;\n const { state: state2, length } = (window == null ? void 0 : window.history) || {};\n const { origin } = (window == null ? void 0 : window.location) || {};\n for (const key of WRITABLE_PROPERTIES)\n refs[key].value = (_a = window == null ? void 0 : window.location) == null ? void 0 : _a[key];\n return reactive(__spreadValues$n({\n trigger,\n state: state2,\n length,\n origin\n }, refs));\n };\n const state = ref(buildState(\"load\"));\n if (window) {\n useEventListener(window, \"popstate\", () => state.value = buildState(\"popstate\"), { passive: true });\n useEventListener(window, \"hashchange\", () => state.value = buildState(\"hashchange\"), { passive: true });\n }\n return state;\n}\n\nfunction useCached(refValue, comparator = (a, b) => a === b, watchOptions) {\n const cachedValue = ref(refValue.value);\n watch(() => refValue.value, (value) => {\n if (!comparator(value, cachedValue.value))\n cachedValue.value = value;\n }, watchOptions);\n return cachedValue;\n}\n\nfunction useClipboard(options = {}) {\n const {\n navigator = defaultNavigator,\n read = false,\n source,\n copiedDuring = 1500,\n legacy = false\n } = options;\n const events = [\"copy\", \"cut\"];\n const isClipboardApiSupported = useSupported(() => navigator && \"clipboard\" in navigator);\n const isSupported = computed(() => isClipboardApiSupported.value || legacy);\n const text = ref(\"\");\n const copied = ref(false);\n const timeout = useTimeoutFn(() => copied.value = false, copiedDuring);\n function updateText() {\n if (isClipboardApiSupported.value) {\n navigator.clipboard.readText().then((value) => {\n text.value = value;\n });\n } else {\n text.value = legacyRead();\n }\n }\n if (isSupported.value && read) {\n for (const event of events)\n useEventListener(event, updateText);\n }\n async function copy(value = toValue(source)) {\n if (isSupported.value && value != null) {\n if (isClipboardApiSupported.value)\n await navigator.clipboard.writeText(value);\n else\n legacyCopy(value);\n text.value = value;\n copied.value = true;\n timeout.start();\n }\n }\n function legacyCopy(value) {\n const ta = document.createElement(\"textarea\");\n ta.value = value != null ? value : \"\";\n ta.style.position = \"absolute\";\n ta.style.opacity = \"0\";\n document.body.appendChild(ta);\n ta.select();\n document.execCommand(\"copy\");\n ta.remove();\n }\n function legacyRead() {\n var _a, _b, _c;\n return (_c = (_b = (_a = document == null ? void 0 : document.getSelection) == null ? void 0 : _a.call(document)) == null ? void 0 : _b.toString()) != null ? _c : \"\";\n }\n return {\n isSupported,\n text,\n copied,\n copy\n };\n}\n\nvar __defProp$m = Object.defineProperty;\nvar __defProps$a = Object.defineProperties;\nvar __getOwnPropDescs$a = Object.getOwnPropertyDescriptors;\nvar __getOwnPropSymbols$p = Object.getOwnPropertySymbols;\nvar __hasOwnProp$p = Object.prototype.hasOwnProperty;\nvar __propIsEnum$p = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$m = (obj, key, value) => key in obj ? __defProp$m(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$m = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$p.call(b, prop))\n __defNormalProp$m(a, prop, b[prop]);\n if (__getOwnPropSymbols$p)\n for (var prop of __getOwnPropSymbols$p(b)) {\n if (__propIsEnum$p.call(b, prop))\n __defNormalProp$m(a, prop, b[prop]);\n }\n return a;\n};\nvar __spreadProps$a = (a, b) => __defProps$a(a, __getOwnPropDescs$a(b));\nfunction cloneFnJSON(source) {\n return JSON.parse(JSON.stringify(source));\n}\nfunction useCloned(source, options = {}) {\n const cloned = ref({});\n const {\n manual,\n clone = cloneFnJSON,\n // watch options\n deep = true,\n immediate = true\n } = options;\n function sync() {\n cloned.value = clone(toValue(source));\n }\n if (!manual && (isRef(source) || typeof source === \"function\")) {\n watch(source, sync, __spreadProps$a(__spreadValues$m({}, options), {\n deep,\n immediate\n }));\n } else {\n sync();\n }\n return { cloned, sync };\n}\n\nconst _global = typeof globalThis !== \"undefined\" ? globalThis : typeof window !== \"undefined\" ? window : typeof global !== \"undefined\" ? global : typeof self !== \"undefined\" ? self : {};\nconst globalKey = \"__vueuse_ssr_handlers__\";\nconst handlers = /* @__PURE__ */ getHandlers();\nfunction getHandlers() {\n if (!(globalKey in _global))\n _global[globalKey] = _global[globalKey] || {};\n return _global[globalKey];\n}\nfunction getSSRHandler(key, fallback) {\n return handlers[key] || fallback;\n}\nfunction setSSRHandler(key, fn) {\n handlers[key] = fn;\n}\n\nfunction guessSerializerType(rawInit) {\n return rawInit == null ? \"any\" : rawInit instanceof Set ? \"set\" : rawInit instanceof Map ? \"map\" : rawInit instanceof Date ? \"date\" : typeof rawInit === \"boolean\" ? \"boolean\" : typeof rawInit === \"string\" ? \"string\" : typeof rawInit === \"object\" ? \"object\" : !Number.isNaN(rawInit) ? \"number\" : \"any\";\n}\n\nvar __defProp$l = Object.defineProperty;\nvar __getOwnPropSymbols$o = Object.getOwnPropertySymbols;\nvar __hasOwnProp$o = Object.prototype.hasOwnProperty;\nvar __propIsEnum$o = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$l = (obj, key, value) => key in obj ? __defProp$l(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$l = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$o.call(b, prop))\n __defNormalProp$l(a, prop, b[prop]);\n if (__getOwnPropSymbols$o)\n for (var prop of __getOwnPropSymbols$o(b)) {\n if (__propIsEnum$o.call(b, prop))\n __defNormalProp$l(a, prop, b[prop]);\n }\n return a;\n};\nconst StorageSerializers = {\n boolean: {\n read: (v) => v === \"true\",\n write: (v) => String(v)\n },\n object: {\n read: (v) => JSON.parse(v),\n write: (v) => JSON.stringify(v)\n },\n number: {\n read: (v) => Number.parseFloat(v),\n write: (v) => String(v)\n },\n any: {\n read: (v) => v,\n write: (v) => String(v)\n },\n string: {\n read: (v) => v,\n write: (v) => String(v)\n },\n map: {\n read: (v) => new Map(JSON.parse(v)),\n write: (v) => JSON.stringify(Array.from(v.entries()))\n },\n set: {\n read: (v) => new Set(JSON.parse(v)),\n write: (v) => JSON.stringify(Array.from(v))\n },\n date: {\n read: (v) => new Date(v),\n write: (v) => v.toISOString()\n }\n};\nconst customStorageEventName = \"vueuse-storage\";\nfunction useStorage(key, defaults, storage, options = {}) {\n var _a;\n const {\n flush = \"pre\",\n deep = true,\n listenToStorageChanges = true,\n writeDefaults = true,\n mergeDefaults = false,\n shallow,\n window = defaultWindow,\n eventFilter,\n onError = (e) => {\n console.error(e);\n }\n } = options;\n const data = (shallow ? shallowRef : ref)(defaults);\n if (!storage) {\n try {\n storage = getSSRHandler(\"getDefaultStorage\", () => {\n var _a2;\n return (_a2 = defaultWindow) == null ? void 0 : _a2.localStorage;\n })();\n } catch (e) {\n onError(e);\n }\n }\n if (!storage)\n return data;\n const rawInit = toValue(defaults);\n const type = guessSerializerType(rawInit);\n const serializer = (_a = options.serializer) != null ? _a : StorageSerializers[type];\n const { pause: pauseWatch, resume: resumeWatch } = pausableWatch(\n data,\n () => write(data.value),\n { flush, deep, eventFilter }\n );\n if (window && listenToStorageChanges) {\n useEventListener(window, \"storage\", update);\n useEventListener(window, customStorageEventName, updateFromCustomEvent);\n }\n update();\n return data;\n function write(v) {\n try {\n if (v == null) {\n storage.removeItem(key);\n } else {\n const serialized = serializer.write(v);\n const oldValue = storage.getItem(key);\n if (oldValue !== serialized) {\n storage.setItem(key, serialized);\n if (window) {\n window.dispatchEvent(new CustomEvent(customStorageEventName, {\n detail: {\n key,\n oldValue,\n newValue: serialized,\n storageArea: storage\n }\n }));\n }\n }\n }\n } catch (e) {\n onError(e);\n }\n }\n function read(event) {\n const rawValue = event ? event.newValue : storage.getItem(key);\n if (rawValue == null) {\n if (writeDefaults && rawInit !== null)\n storage.setItem(key, serializer.write(rawInit));\n return rawInit;\n } else if (!event && mergeDefaults) {\n const value = serializer.read(rawValue);\n if (typeof mergeDefaults === \"function\")\n return mergeDefaults(value, rawInit);\n else if (type === \"object\" && !Array.isArray(value))\n return __spreadValues$l(__spreadValues$l({}, rawInit), value);\n return value;\n } else if (typeof rawValue !== \"string\") {\n return rawValue;\n } else {\n return serializer.read(rawValue);\n }\n }\n function updateFromCustomEvent(event) {\n update(event.detail);\n }\n function update(event) {\n if (event && event.storageArea !== storage)\n return;\n if (event && event.key == null) {\n data.value = rawInit;\n return;\n }\n if (event && event.key !== key)\n return;\n pauseWatch();\n try {\n data.value = read(event);\n } catch (e) {\n onError(e);\n } finally {\n if (event)\n nextTick(resumeWatch);\n else\n resumeWatch();\n }\n }\n}\n\nfunction usePreferredDark(options) {\n return useMediaQuery(\"(prefers-color-scheme: dark)\", options);\n}\n\nvar __defProp$k = Object.defineProperty;\nvar __getOwnPropSymbols$n = Object.getOwnPropertySymbols;\nvar __hasOwnProp$n = Object.prototype.hasOwnProperty;\nvar __propIsEnum$n = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$k = (obj, key, value) => key in obj ? __defProp$k(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$k = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$n.call(b, prop))\n __defNormalProp$k(a, prop, b[prop]);\n if (__getOwnPropSymbols$n)\n for (var prop of __getOwnPropSymbols$n(b)) {\n if (__propIsEnum$n.call(b, prop))\n __defNormalProp$k(a, prop, b[prop]);\n }\n return a;\n};\nfunction useColorMode(options = {}) {\n const {\n selector = \"html\",\n attribute = \"class\",\n initialValue = \"auto\",\n window = defaultWindow,\n storage,\n storageKey = \"vueuse-color-scheme\",\n listenToStorageChanges = true,\n storageRef,\n emitAuto,\n disableTransition = true\n } = options;\n const modes = __spreadValues$k({\n auto: \"\",\n light: \"light\",\n dark: \"dark\"\n }, options.modes || {});\n const preferredDark = usePreferredDark({ window });\n const system = computed(() => preferredDark.value ? \"dark\" : \"light\");\n const store = storageRef || (storageKey == null ? toRef(initialValue) : useStorage(storageKey, initialValue, storage, { window, listenToStorageChanges }));\n const state = computed(\n () => store.value === \"auto\" ? system.value : store.value\n );\n const updateHTMLAttrs = getSSRHandler(\n \"updateHTMLAttrs\",\n (selector2, attribute2, value) => {\n const el = typeof selector2 === \"string\" ? window == null ? void 0 : window.document.querySelector(selector2) : unrefElement(selector2);\n if (!el)\n return;\n let style;\n if (disableTransition) {\n style = window.document.createElement(\"style\");\n const styleString = \"*,*::before,*::after{-webkit-transition:none!important;-moz-transition:none!important;-o-transition:none!important;-ms-transition:none!important;transition:none!important}\";\n style.appendChild(document.createTextNode(styleString));\n window.document.head.appendChild(style);\n }\n if (attribute2 === \"class\") {\n const current = value.split(/\\s/g);\n Object.values(modes).flatMap((i) => (i || \"\").split(/\\s/g)).filter(Boolean).forEach((v) => {\n if (current.includes(v))\n el.classList.add(v);\n else\n el.classList.remove(v);\n });\n } else {\n el.setAttribute(attribute2, value);\n }\n if (disableTransition) {\n window.getComputedStyle(style).opacity;\n document.head.removeChild(style);\n }\n }\n );\n function defaultOnChanged(mode) {\n var _a;\n updateHTMLAttrs(selector, attribute, (_a = modes[mode]) != null ? _a : mode);\n }\n function onChanged(mode) {\n if (options.onChanged)\n options.onChanged(mode, defaultOnChanged);\n else\n defaultOnChanged(mode);\n }\n watch(state, onChanged, { flush: \"post\", immediate: true });\n tryOnMounted(() => onChanged(state.value));\n const auto = computed({\n get() {\n return emitAuto ? store.value : state.value;\n },\n set(v) {\n store.value = v;\n }\n });\n try {\n return Object.assign(auto, { store, system, state });\n } catch (e) {\n return auto;\n }\n}\n\nfunction useConfirmDialog(revealed = ref(false)) {\n const confirmHook = createEventHook();\n const cancelHook = createEventHook();\n const revealHook = createEventHook();\n let _resolve = noop;\n const reveal = (data) => {\n revealHook.trigger(data);\n revealed.value = true;\n return new Promise((resolve) => {\n _resolve = resolve;\n });\n };\n const confirm = (data) => {\n revealed.value = false;\n confirmHook.trigger(data);\n _resolve({ data, isCanceled: false });\n };\n const cancel = (data) => {\n revealed.value = false;\n cancelHook.trigger(data);\n _resolve({ data, isCanceled: true });\n };\n return {\n isRevealed: computed(() => revealed.value),\n reveal,\n confirm,\n cancel,\n onReveal: revealHook.on,\n onConfirm: confirmHook.on,\n onCancel: cancelHook.on\n };\n}\n\nvar __getOwnPropSymbols$m = Object.getOwnPropertySymbols;\nvar __hasOwnProp$m = Object.prototype.hasOwnProperty;\nvar __propIsEnum$m = Object.prototype.propertyIsEnumerable;\nvar __objRest$3 = (source, exclude) => {\n var target = {};\n for (var prop in source)\n if (__hasOwnProp$m.call(source, prop) && exclude.indexOf(prop) < 0)\n target[prop] = source[prop];\n if (source != null && __getOwnPropSymbols$m)\n for (var prop of __getOwnPropSymbols$m(source)) {\n if (exclude.indexOf(prop) < 0 && __propIsEnum$m.call(source, prop))\n target[prop] = source[prop];\n }\n return target;\n};\nfunction useMutationObserver(target, callback, options = {}) {\n const _a = options, { window = defaultWindow } = _a, mutationOptions = __objRest$3(_a, [\"window\"]);\n let observer;\n const isSupported = useSupported(() => window && \"MutationObserver\" in window);\n const cleanup = () => {\n if (observer) {\n observer.disconnect();\n observer = void 0;\n }\n };\n const stopWatch = watch(\n () => unrefElement(target),\n (el) => {\n cleanup();\n if (isSupported.value && window && el) {\n observer = new MutationObserver(callback);\n observer.observe(el, mutationOptions);\n }\n },\n { immediate: true }\n );\n const stop = () => {\n cleanup();\n stopWatch();\n };\n tryOnScopeDispose(stop);\n return {\n isSupported,\n stop\n };\n}\n\nfunction useCssVar(prop, target, options = {}) {\n const { window = defaultWindow, initialValue = \"\", observe = false } = options;\n const variable = ref(initialValue);\n const elRef = computed(() => {\n var _a;\n return unrefElement(target) || ((_a = window == null ? void 0 : window.document) == null ? void 0 : _a.documentElement);\n });\n function updateCssVar() {\n var _a;\n const key = toValue(prop);\n const el = toValue(elRef);\n if (el && window) {\n const value = (_a = window.getComputedStyle(el).getPropertyValue(key)) == null ? void 0 : _a.trim();\n variable.value = value || initialValue;\n }\n }\n if (observe) {\n useMutationObserver(elRef, updateCssVar, {\n attributeFilter: [\"style\", \"class\"],\n window\n });\n }\n watch(\n [elRef, () => toValue(prop)],\n updateCssVar,\n { immediate: true }\n );\n watch(\n variable,\n (val) => {\n var _a;\n if ((_a = elRef.value) == null ? void 0 : _a.style)\n elRef.value.style.setProperty(toValue(prop), val);\n }\n );\n return variable;\n}\n\nfunction useCurrentElement() {\n const vm = getCurrentInstance();\n const currentElement = computedWithControl(\n () => null,\n () => vm.proxy.$el\n );\n onUpdated(currentElement.trigger);\n onMounted(currentElement.trigger);\n return currentElement;\n}\n\nfunction useCycleList(list, options) {\n const state = shallowRef(getInitialValue());\n const listRef = toRef(list);\n const index = computed({\n get() {\n var _a;\n const targetList = listRef.value;\n let index2 = (options == null ? void 0 : options.getIndexOf) ? options.getIndexOf(state.value, targetList) : targetList.indexOf(state.value);\n if (index2 < 0)\n index2 = (_a = options == null ? void 0 : options.fallbackIndex) != null ? _a : 0;\n return index2;\n },\n set(v) {\n set(v);\n }\n });\n function set(i) {\n const targetList = listRef.value;\n const length = targetList.length;\n const index2 = (i % length + length) % length;\n const value = targetList[index2];\n state.value = value;\n return value;\n }\n function shift(delta = 1) {\n return set(index.value + delta);\n }\n function next(n = 1) {\n return shift(n);\n }\n function prev(n = 1) {\n return shift(-n);\n }\n function getInitialValue() {\n var _a, _b;\n return (_b = toValue((_a = options == null ? void 0 : options.initialValue) != null ? _a : toValue(list)[0])) != null ? _b : void 0;\n }\n watch(listRef, () => set(index.value));\n return {\n state,\n index,\n next,\n prev\n };\n}\n\nvar __defProp$j = Object.defineProperty;\nvar __defProps$9 = Object.defineProperties;\nvar __getOwnPropDescs$9 = Object.getOwnPropertyDescriptors;\nvar __getOwnPropSymbols$l = Object.getOwnPropertySymbols;\nvar __hasOwnProp$l = Object.prototype.hasOwnProperty;\nvar __propIsEnum$l = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$j = (obj, key, value) => key in obj ? __defProp$j(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$j = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$l.call(b, prop))\n __defNormalProp$j(a, prop, b[prop]);\n if (__getOwnPropSymbols$l)\n for (var prop of __getOwnPropSymbols$l(b)) {\n if (__propIsEnum$l.call(b, prop))\n __defNormalProp$j(a, prop, b[prop]);\n }\n return a;\n};\nvar __spreadProps$9 = (a, b) => __defProps$9(a, __getOwnPropDescs$9(b));\nfunction useDark(options = {}) {\n const {\n valueDark = \"dark\",\n valueLight = \"\"\n } = options;\n const mode = useColorMode(__spreadProps$9(__spreadValues$j({}, options), {\n onChanged: (mode2, defaultHandler) => {\n var _a;\n if (options.onChanged)\n (_a = options.onChanged) == null ? void 0 : _a.call(options, mode2 === \"dark\", defaultHandler, mode2);\n else\n defaultHandler(mode2);\n },\n modes: {\n dark: valueDark,\n light: valueLight\n }\n }));\n const isDark = computed({\n get() {\n return mode.value === \"dark\";\n },\n set(v) {\n const modeVal = v ? \"dark\" : \"light\";\n if (mode.system.value === modeVal)\n mode.value = \"auto\";\n else\n mode.value = modeVal;\n }\n });\n return isDark;\n}\n\nfunction fnBypass(v) {\n return v;\n}\nfunction fnSetSource(source, value) {\n return source.value = value;\n}\nfunction defaultDump(clone) {\n return clone ? typeof clone === \"function\" ? clone : cloneFnJSON : fnBypass;\n}\nfunction defaultParse(clone) {\n return clone ? typeof clone === \"function\" ? clone : cloneFnJSON : fnBypass;\n}\nfunction useManualRefHistory(source, options = {}) {\n const {\n clone = false,\n dump = defaultDump(clone),\n parse = defaultParse(clone),\n setSource = fnSetSource\n } = options;\n function _createHistoryRecord() {\n return markRaw({\n snapshot: dump(source.value),\n timestamp: timestamp()\n });\n }\n const last = ref(_createHistoryRecord());\n const undoStack = ref([]);\n const redoStack = ref([]);\n const _setSource = (record) => {\n setSource(source, parse(record.snapshot));\n last.value = record;\n };\n const commit = () => {\n undoStack.value.unshift(last.value);\n last.value = _createHistoryRecord();\n if (options.capacity && undoStack.value.length > options.capacity)\n undoStack.value.splice(options.capacity, Infinity);\n if (redoStack.value.length)\n redoStack.value.splice(0, redoStack.value.length);\n };\n const clear = () => {\n undoStack.value.splice(0, undoStack.value.length);\n redoStack.value.splice(0, redoStack.value.length);\n };\n const undo = () => {\n const state = undoStack.value.shift();\n if (state) {\n redoStack.value.unshift(last.value);\n _setSource(state);\n }\n };\n const redo = () => {\n const state = redoStack.value.shift();\n if (state) {\n undoStack.value.unshift(last.value);\n _setSource(state);\n }\n };\n const reset = () => {\n _setSource(last.value);\n };\n const history = computed(() => [last.value, ...undoStack.value]);\n const canUndo = computed(() => undoStack.value.length > 0);\n const canRedo = computed(() => redoStack.value.length > 0);\n return {\n source,\n undoStack,\n redoStack,\n last,\n history,\n canUndo,\n canRedo,\n clear,\n commit,\n reset,\n undo,\n redo\n };\n}\n\nvar __defProp$i = Object.defineProperty;\nvar __defProps$8 = Object.defineProperties;\nvar __getOwnPropDescs$8 = Object.getOwnPropertyDescriptors;\nvar __getOwnPropSymbols$k = Object.getOwnPropertySymbols;\nvar __hasOwnProp$k = Object.prototype.hasOwnProperty;\nvar __propIsEnum$k = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$i = (obj, key, value) => key in obj ? __defProp$i(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$i = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$k.call(b, prop))\n __defNormalProp$i(a, prop, b[prop]);\n if (__getOwnPropSymbols$k)\n for (var prop of __getOwnPropSymbols$k(b)) {\n if (__propIsEnum$k.call(b, prop))\n __defNormalProp$i(a, prop, b[prop]);\n }\n return a;\n};\nvar __spreadProps$8 = (a, b) => __defProps$8(a, __getOwnPropDescs$8(b));\nfunction useRefHistory(source, options = {}) {\n const {\n deep = false,\n flush = \"pre\",\n eventFilter\n } = options;\n const {\n eventFilter: composedFilter,\n pause,\n resume: resumeTracking,\n isActive: isTracking\n } = pausableFilter(eventFilter);\n const {\n ignoreUpdates,\n ignorePrevAsyncUpdates,\n stop\n } = watchIgnorable(\n source,\n commit,\n { deep, flush, eventFilter: composedFilter }\n );\n function setSource(source2, value) {\n ignorePrevAsyncUpdates();\n ignoreUpdates(() => {\n source2.value = value;\n });\n }\n const manualHistory = useManualRefHistory(source, __spreadProps$8(__spreadValues$i({}, options), { clone: options.clone || deep, setSource }));\n const { clear, commit: manualCommit } = manualHistory;\n function commit() {\n ignorePrevAsyncUpdates();\n manualCommit();\n }\n function resume(commitNow) {\n resumeTracking();\n if (commitNow)\n commit();\n }\n function batch(fn) {\n let canceled = false;\n const cancel = () => canceled = true;\n ignoreUpdates(() => {\n fn(cancel);\n });\n if (!canceled)\n commit();\n }\n function dispose() {\n stop();\n clear();\n }\n return __spreadProps$8(__spreadValues$i({}, manualHistory), {\n isTracking,\n pause,\n resume,\n commit,\n batch,\n dispose\n });\n}\n\nvar __defProp$h = Object.defineProperty;\nvar __defProps$7 = Object.defineProperties;\nvar __getOwnPropDescs$7 = Object.getOwnPropertyDescriptors;\nvar __getOwnPropSymbols$j = Object.getOwnPropertySymbols;\nvar __hasOwnProp$j = Object.prototype.hasOwnProperty;\nvar __propIsEnum$j = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$h = (obj, key, value) => key in obj ? __defProp$h(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$h = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$j.call(b, prop))\n __defNormalProp$h(a, prop, b[prop]);\n if (__getOwnPropSymbols$j)\n for (var prop of __getOwnPropSymbols$j(b)) {\n if (__propIsEnum$j.call(b, prop))\n __defNormalProp$h(a, prop, b[prop]);\n }\n return a;\n};\nvar __spreadProps$7 = (a, b) => __defProps$7(a, __getOwnPropDescs$7(b));\nfunction useDebouncedRefHistory(source, options = {}) {\n const filter = options.debounce ? debounceFilter(options.debounce) : void 0;\n const history = useRefHistory(source, __spreadProps$7(__spreadValues$h({}, options), { eventFilter: filter }));\n return __spreadValues$h({}, history);\n}\n\nfunction useDeviceMotion(options = {}) {\n const {\n window = defaultWindow,\n eventFilter = bypassFilter\n } = options;\n const acceleration = ref({ x: null, y: null, z: null });\n const rotationRate = ref({ alpha: null, beta: null, gamma: null });\n const interval = ref(0);\n const accelerationIncludingGravity = ref({\n x: null,\n y: null,\n z: null\n });\n if (window) {\n const onDeviceMotion = createFilterWrapper(\n eventFilter,\n (event) => {\n acceleration.value = event.acceleration;\n accelerationIncludingGravity.value = event.accelerationIncludingGravity;\n rotationRate.value = event.rotationRate;\n interval.value = event.interval;\n }\n );\n useEventListener(window, \"devicemotion\", onDeviceMotion);\n }\n return {\n acceleration,\n accelerationIncludingGravity,\n rotationRate,\n interval\n };\n}\n\nfunction useDeviceOrientation(options = {}) {\n const { window = defaultWindow } = options;\n const isSupported = useSupported(() => window && \"DeviceOrientationEvent\" in window);\n const isAbsolute = ref(false);\n const alpha = ref(null);\n const beta = ref(null);\n const gamma = ref(null);\n if (window && isSupported.value) {\n useEventListener(window, \"deviceorientation\", (event) => {\n isAbsolute.value = event.absolute;\n alpha.value = event.alpha;\n beta.value = event.beta;\n gamma.value = event.gamma;\n });\n }\n return {\n isSupported,\n isAbsolute,\n alpha,\n beta,\n gamma\n };\n}\n\nfunction useDevicePixelRatio({\n window = defaultWindow\n} = {}) {\n const pixelRatio = ref(1);\n if (window) {\n let observe = function() {\n pixelRatio.value = window.devicePixelRatio;\n cleanup();\n media = window.matchMedia(`(resolution: ${pixelRatio.value}dppx)`);\n media.addEventListener(\"change\", observe, { once: true });\n }, cleanup = function() {\n media == null ? void 0 : media.removeEventListener(\"change\", observe);\n };\n let media;\n observe();\n tryOnScopeDispose(cleanup);\n }\n return { pixelRatio };\n}\n\nfunction usePermission(permissionDesc, options = {}) {\n const {\n controls = false,\n navigator = defaultNavigator\n } = options;\n const isSupported = useSupported(() => navigator && \"permissions\" in navigator);\n let permissionStatus;\n const desc = typeof permissionDesc === \"string\" ? { name: permissionDesc } : permissionDesc;\n const state = ref();\n const onChange = () => {\n if (permissionStatus)\n state.value = permissionStatus.state;\n };\n const query = createSingletonPromise(async () => {\n if (!isSupported.value)\n return;\n if (!permissionStatus) {\n try {\n permissionStatus = await navigator.permissions.query(desc);\n useEventListener(permissionStatus, \"change\", onChange);\n onChange();\n } catch (e) {\n state.value = \"prompt\";\n }\n }\n return permissionStatus;\n });\n query();\n if (controls) {\n return {\n state,\n isSupported,\n query\n };\n } else {\n return state;\n }\n}\n\nfunction useDevicesList(options = {}) {\n const {\n navigator = defaultNavigator,\n requestPermissions = false,\n constraints = { audio: true, video: true },\n onUpdated\n } = options;\n const devices = ref([]);\n const videoInputs = computed(() => devices.value.filter((i) => i.kind === \"videoinput\"));\n const audioInputs = computed(() => devices.value.filter((i) => i.kind === \"audioinput\"));\n const audioOutputs = computed(() => devices.value.filter((i) => i.kind === \"audiooutput\"));\n const isSupported = useSupported(() => navigator && navigator.mediaDevices && navigator.mediaDevices.enumerateDevices);\n const permissionGranted = ref(false);\n let stream;\n async function update() {\n if (!isSupported.value)\n return;\n devices.value = await navigator.mediaDevices.enumerateDevices();\n onUpdated == null ? void 0 : onUpdated(devices.value);\n if (stream) {\n stream.getTracks().forEach((t) => t.stop());\n stream = null;\n }\n }\n async function ensurePermissions() {\n if (!isSupported.value)\n return false;\n if (permissionGranted.value)\n return true;\n const { state, query } = usePermission(\"camera\", { controls: true });\n await query();\n if (state.value !== \"granted\") {\n stream = await navigator.mediaDevices.getUserMedia(constraints);\n update();\n permissionGranted.value = true;\n } else {\n permissionGranted.value = true;\n }\n return permissionGranted.value;\n }\n if (isSupported.value) {\n if (requestPermissions)\n ensurePermissions();\n useEventListener(navigator.mediaDevices, \"devicechange\", update);\n update();\n }\n return {\n devices,\n ensurePermissions,\n permissionGranted,\n videoInputs,\n audioInputs,\n audioOutputs,\n isSupported\n };\n}\n\nfunction useDisplayMedia(options = {}) {\n var _a;\n const enabled = ref((_a = options.enabled) != null ? _a : false);\n const video = options.video;\n const audio = options.audio;\n const { navigator = defaultNavigator } = options;\n const isSupported = useSupported(() => {\n var _a2;\n return (_a2 = navigator == null ? void 0 : navigator.mediaDevices) == null ? void 0 : _a2.getDisplayMedia;\n });\n const constraint = { audio, video };\n const stream = shallowRef();\n async function _start() {\n if (!isSupported.value || stream.value)\n return;\n stream.value = await navigator.mediaDevices.getDisplayMedia(constraint);\n return stream.value;\n }\n async function _stop() {\n var _a2;\n (_a2 = stream.value) == null ? void 0 : _a2.getTracks().forEach((t) => t.stop());\n stream.value = void 0;\n }\n function stop() {\n _stop();\n enabled.value = false;\n }\n async function start() {\n await _start();\n if (stream.value)\n enabled.value = true;\n return stream.value;\n }\n watch(\n enabled,\n (v) => {\n if (v)\n _start();\n else\n _stop();\n },\n { immediate: true }\n );\n return {\n isSupported,\n stream,\n start,\n stop,\n enabled\n };\n}\n\nfunction useDocumentVisibility({ document = defaultDocument } = {}) {\n if (!document)\n return ref(\"visible\");\n const visibility = ref(document.visibilityState);\n useEventListener(document, \"visibilitychange\", () => {\n visibility.value = document.visibilityState;\n });\n return visibility;\n}\n\nvar __defProp$g = Object.defineProperty;\nvar __defProps$6 = Object.defineProperties;\nvar __getOwnPropDescs$6 = Object.getOwnPropertyDescriptors;\nvar __getOwnPropSymbols$i = Object.getOwnPropertySymbols;\nvar __hasOwnProp$i = Object.prototype.hasOwnProperty;\nvar __propIsEnum$i = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$g = (obj, key, value) => key in obj ? __defProp$g(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$g = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$i.call(b, prop))\n __defNormalProp$g(a, prop, b[prop]);\n if (__getOwnPropSymbols$i)\n for (var prop of __getOwnPropSymbols$i(b)) {\n if (__propIsEnum$i.call(b, prop))\n __defNormalProp$g(a, prop, b[prop]);\n }\n return a;\n};\nvar __spreadProps$6 = (a, b) => __defProps$6(a, __getOwnPropDescs$6(b));\nfunction useDraggable(target, options = {}) {\n var _a, _b;\n const {\n pointerTypes,\n preventDefault,\n stopPropagation,\n exact,\n onMove,\n onEnd,\n onStart,\n initialValue,\n axis = \"both\",\n draggingElement = defaultWindow,\n handle: draggingHandle = target\n } = options;\n const position = ref(\n (_a = toValue(initialValue)) != null ? _a : { x: 0, y: 0 }\n );\n const pressedDelta = ref();\n const filterEvent = (e) => {\n if (pointerTypes)\n return pointerTypes.includes(e.pointerType);\n return true;\n };\n const handleEvent = (e) => {\n if (toValue(preventDefault))\n e.preventDefault();\n if (toValue(stopPropagation))\n e.stopPropagation();\n };\n const start = (e) => {\n if (!filterEvent(e))\n return;\n if (toValue(exact) && e.target !== toValue(target))\n return;\n const rect = toValue(target).getBoundingClientRect();\n const pos = {\n x: e.clientX - rect.left,\n y: e.clientY - rect.top\n };\n if ((onStart == null ? void 0 : onStart(pos, e)) === false)\n return;\n pressedDelta.value = pos;\n handleEvent(e);\n };\n const move = (e) => {\n if (!filterEvent(e))\n return;\n if (!pressedDelta.value)\n return;\n let { x, y } = position.value;\n if (axis === \"x\" || axis === \"both\")\n x = e.clientX - pressedDelta.value.x;\n if (axis === \"y\" || axis === \"both\")\n y = e.clientY - pressedDelta.value.y;\n position.value = {\n x,\n y\n };\n onMove == null ? void 0 : onMove(position.value, e);\n handleEvent(e);\n };\n const end = (e) => {\n if (!filterEvent(e))\n return;\n if (!pressedDelta.value)\n return;\n pressedDelta.value = void 0;\n onEnd == null ? void 0 : onEnd(position.value, e);\n handleEvent(e);\n };\n if (isClient) {\n const config = { capture: (_b = options.capture) != null ? _b : true };\n useEventListener(draggingHandle, \"pointerdown\", start, config);\n useEventListener(draggingElement, \"pointermove\", move, config);\n useEventListener(draggingElement, \"pointerup\", end, config);\n }\n return __spreadProps$6(__spreadValues$g({}, toRefs(position)), {\n position,\n isDragging: computed(() => !!pressedDelta.value),\n style: computed(\n () => `left:${position.value.x}px;top:${position.value.y}px;`\n )\n });\n}\n\nfunction useDropZone(target, options = {}) {\n const isOverDropZone = ref(false);\n const files = shallowRef(null);\n let counter = 0;\n if (isClient) {\n const _options = typeof options === \"function\" ? { onDrop: options } : options;\n const getFiles = (event) => {\n var _a, _b;\n const list = Array.from((_b = (_a = event.dataTransfer) == null ? void 0 : _a.files) != null ? _b : []);\n return files.value = list.length === 0 ? null : list;\n };\n useEventListener(target, \"dragenter\", (event) => {\n var _a;\n event.preventDefault();\n counter += 1;\n isOverDropZone.value = true;\n (_a = _options.onEnter) == null ? void 0 : _a.call(_options, getFiles(event), event);\n });\n useEventListener(target, \"dragover\", (event) => {\n var _a;\n event.preventDefault();\n (_a = _options.onOver) == null ? void 0 : _a.call(_options, getFiles(event), event);\n });\n useEventListener(target, \"dragleave\", (event) => {\n var _a;\n event.preventDefault();\n counter -= 1;\n if (counter === 0)\n isOverDropZone.value = false;\n (_a = _options.onLeave) == null ? void 0 : _a.call(_options, getFiles(event), event);\n });\n useEventListener(target, \"drop\", (event) => {\n var _a;\n event.preventDefault();\n counter = 0;\n isOverDropZone.value = false;\n (_a = _options.onDrop) == null ? void 0 : _a.call(_options, getFiles(event), event);\n });\n }\n return {\n files,\n isOverDropZone\n };\n}\n\nvar __getOwnPropSymbols$h = Object.getOwnPropertySymbols;\nvar __hasOwnProp$h = Object.prototype.hasOwnProperty;\nvar __propIsEnum$h = Object.prototype.propertyIsEnumerable;\nvar __objRest$2 = (source, exclude) => {\n var target = {};\n for (var prop in source)\n if (__hasOwnProp$h.call(source, prop) && exclude.indexOf(prop) < 0)\n target[prop] = source[prop];\n if (source != null && __getOwnPropSymbols$h)\n for (var prop of __getOwnPropSymbols$h(source)) {\n if (exclude.indexOf(prop) < 0 && __propIsEnum$h.call(source, prop))\n target[prop] = source[prop];\n }\n return target;\n};\nfunction useResizeObserver(target, callback, options = {}) {\n const _a = options, { window = defaultWindow } = _a, observerOptions = __objRest$2(_a, [\"window\"]);\n let observer;\n const isSupported = useSupported(() => window && \"ResizeObserver\" in window);\n const cleanup = () => {\n if (observer) {\n observer.disconnect();\n observer = void 0;\n }\n };\n const targets = computed(\n () => Array.isArray(target) ? target.map((el) => unrefElement(el)) : [unrefElement(target)]\n );\n const stopWatch = watch(\n targets,\n (els) => {\n cleanup();\n if (isSupported.value && window) {\n observer = new ResizeObserver(callback);\n for (const _el of els)\n _el && observer.observe(_el, observerOptions);\n }\n },\n { immediate: true, flush: \"post\", deep: true }\n );\n const stop = () => {\n cleanup();\n stopWatch();\n };\n tryOnScopeDispose(stop);\n return {\n isSupported,\n stop\n };\n}\n\nfunction useElementBounding(target, options = {}) {\n const {\n reset = true,\n windowResize = true,\n windowScroll = true,\n immediate = true\n } = options;\n const height = ref(0);\n const bottom = ref(0);\n const left = ref(0);\n const right = ref(0);\n const top = ref(0);\n const width = ref(0);\n const x = ref(0);\n const y = ref(0);\n function update() {\n const el = unrefElement(target);\n if (!el) {\n if (reset) {\n height.value = 0;\n bottom.value = 0;\n left.value = 0;\n right.value = 0;\n top.value = 0;\n width.value = 0;\n x.value = 0;\n y.value = 0;\n }\n return;\n }\n const rect = el.getBoundingClientRect();\n height.value = rect.height;\n bottom.value = rect.bottom;\n left.value = rect.left;\n right.value = rect.right;\n top.value = rect.top;\n width.value = rect.width;\n x.value = rect.x;\n y.value = rect.y;\n }\n useResizeObserver(target, update);\n watch(() => unrefElement(target), (ele) => !ele && update());\n if (windowScroll)\n useEventListener(\"scroll\", update, { capture: true, passive: true });\n if (windowResize)\n useEventListener(\"resize\", update, { passive: true });\n tryOnMounted(() => {\n if (immediate)\n update();\n });\n return {\n height,\n bottom,\n left,\n right,\n top,\n width,\n x,\n y,\n update\n };\n}\n\nvar __defProp$f = Object.defineProperty;\nvar __getOwnPropSymbols$g = Object.getOwnPropertySymbols;\nvar __hasOwnProp$g = Object.prototype.hasOwnProperty;\nvar __propIsEnum$g = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$f = (obj, key, value) => key in obj ? __defProp$f(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$f = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$g.call(b, prop))\n __defNormalProp$f(a, prop, b[prop]);\n if (__getOwnPropSymbols$g)\n for (var prop of __getOwnPropSymbols$g(b)) {\n if (__propIsEnum$g.call(b, prop))\n __defNormalProp$f(a, prop, b[prop]);\n }\n return a;\n};\nfunction useElementByPoint(options) {\n const {\n x,\n y,\n document = defaultDocument,\n multiple,\n interval = \"requestAnimationFrame\",\n immediate = true\n } = options;\n const isSupported = useSupported(() => {\n if (toValue(multiple))\n return document && \"elementsFromPoint\" in document;\n return document && \"elementFromPoint\" in document;\n });\n const element = ref(null);\n const cb = () => {\n var _a, _b;\n element.value = toValue(multiple) ? (_a = document == null ? void 0 : document.elementsFromPoint(toValue(x), toValue(y))) != null ? _a : [] : (_b = document == null ? void 0 : document.elementFromPoint(toValue(x), toValue(y))) != null ? _b : null;\n };\n const controls = interval === \"requestAnimationFrame\" ? useRafFn(cb, { immediate }) : useIntervalFn(cb, interval, { immediate });\n return __spreadValues$f({\n isSupported,\n element\n }, controls);\n}\n\nfunction useElementHover(el, options = {}) {\n const {\n delayEnter = 0,\n delayLeave = 0,\n window = defaultWindow\n } = options;\n const isHovered = ref(false);\n let timer;\n const toggle = (entering) => {\n const delay = entering ? delayEnter : delayLeave;\n if (timer) {\n clearTimeout(timer);\n timer = void 0;\n }\n if (delay)\n timer = setTimeout(() => isHovered.value = entering, delay);\n else\n isHovered.value = entering;\n };\n if (!window)\n return isHovered;\n useEventListener(el, \"mouseenter\", () => toggle(true), { passive: true });\n useEventListener(el, \"mouseleave\", () => toggle(false), { passive: true });\n return isHovered;\n}\n\nfunction useElementSize(target, initialSize = { width: 0, height: 0 }, options = {}) {\n const { window = defaultWindow, box = \"content-box\" } = options;\n const isSVG = computed(() => {\n var _a, _b;\n return (_b = (_a = unrefElement(target)) == null ? void 0 : _a.namespaceURI) == null ? void 0 : _b.includes(\"svg\");\n });\n const width = ref(initialSize.width);\n const height = ref(initialSize.height);\n useResizeObserver(\n target,\n ([entry]) => {\n const boxSize = box === \"border-box\" ? entry.borderBoxSize : box === \"content-box\" ? entry.contentBoxSize : entry.devicePixelContentBoxSize;\n if (window && isSVG.value) {\n const $elem = unrefElement(target);\n if ($elem) {\n const styles = window.getComputedStyle($elem);\n width.value = Number.parseFloat(styles.width);\n height.value = Number.parseFloat(styles.height);\n }\n } else {\n if (boxSize) {\n const formatBoxSize = Array.isArray(boxSize) ? boxSize : [boxSize];\n width.value = formatBoxSize.reduce((acc, { inlineSize }) => acc + inlineSize, 0);\n height.value = formatBoxSize.reduce((acc, { blockSize }) => acc + blockSize, 0);\n } else {\n width.value = entry.contentRect.width;\n height.value = entry.contentRect.height;\n }\n }\n },\n options\n );\n watch(\n () => unrefElement(target),\n (ele) => {\n width.value = ele ? initialSize.width : 0;\n height.value = ele ? initialSize.height : 0;\n }\n );\n return {\n width,\n height\n };\n}\n\nfunction useIntersectionObserver(target, callback, options = {}) {\n const {\n root,\n rootMargin = \"0px\",\n threshold = 0.1,\n window = defaultWindow,\n immediate = true\n } = options;\n const isSupported = useSupported(() => window && \"IntersectionObserver\" in window);\n const targets = computed(() => {\n const _target = toValue(target);\n return (Array.isArray(_target) ? _target : [_target]).map(unrefElement).filter(notNullish);\n });\n let cleanup = noop;\n const isActive = ref(immediate);\n const stopWatch = isSupported.value ? watch(\n () => [targets.value, unrefElement(root), isActive.value],\n ([targets2, root2]) => {\n cleanup();\n if (!isActive.value)\n return;\n if (!targets2.length)\n return;\n const observer = new IntersectionObserver(\n callback,\n {\n root: unrefElement(root2),\n rootMargin,\n threshold\n }\n );\n targets2.forEach((el) => el && observer.observe(el));\n cleanup = () => {\n observer.disconnect();\n cleanup = noop;\n };\n },\n { immediate, flush: \"post\" }\n ) : noop;\n const stop = () => {\n cleanup();\n stopWatch();\n isActive.value = false;\n };\n tryOnScopeDispose(stop);\n return {\n isSupported,\n isActive,\n pause() {\n cleanup();\n isActive.value = false;\n },\n resume() {\n isActive.value = true;\n },\n stop\n };\n}\n\nfunction useElementVisibility(element, { window = defaultWindow, scrollTarget } = {}) {\n const elementIsVisible = ref(false);\n useIntersectionObserver(\n element,\n ([{ isIntersecting }]) => {\n elementIsVisible.value = isIntersecting;\n },\n {\n root: scrollTarget,\n window\n }\n );\n return elementIsVisible;\n}\n\nconst events = /* @__PURE__ */ new Map();\n\nfunction useEventBus(key) {\n const scope = getCurrentScope();\n function on(listener) {\n var _a;\n const listeners = events.get(key) || /* @__PURE__ */ new Set();\n listeners.add(listener);\n events.set(key, listeners);\n const _off = () => off(listener);\n (_a = scope == null ? void 0 : scope.cleanups) == null ? void 0 : _a.push(_off);\n return _off;\n }\n function once(listener) {\n function _listener(...args) {\n off(_listener);\n listener(...args);\n }\n return on(_listener);\n }\n function off(listener) {\n const listeners = events.get(key);\n if (!listeners)\n return;\n listeners.delete(listener);\n if (!listeners.size)\n reset();\n }\n function reset() {\n events.delete(key);\n }\n function emit(event, payload) {\n var _a;\n (_a = events.get(key)) == null ? void 0 : _a.forEach((v) => v(event, payload));\n }\n return { on, once, off, emit, reset };\n}\n\nfunction useEventSource(url, events = [], options = {}) {\n const event = ref(null);\n const data = ref(null);\n const status = ref(\"CONNECTING\");\n const eventSource = ref(null);\n const error = shallowRef(null);\n const {\n withCredentials = false\n } = options;\n const close = () => {\n if (eventSource.value) {\n eventSource.value.close();\n eventSource.value = null;\n status.value = \"CLOSED\";\n }\n };\n const es = new EventSource(url, { withCredentials });\n eventSource.value = es;\n es.onopen = () => {\n status.value = \"OPEN\";\n error.value = null;\n };\n es.onerror = (e) => {\n status.value = \"CLOSED\";\n error.value = e;\n };\n es.onmessage = (e) => {\n event.value = null;\n data.value = e.data;\n };\n for (const event_name of events) {\n useEventListener(es, event_name, (e) => {\n event.value = event_name;\n data.value = e.data || null;\n });\n }\n tryOnScopeDispose(() => {\n close();\n });\n return {\n eventSource,\n event,\n data,\n status,\n error,\n close\n };\n}\n\nfunction useEyeDropper(options = {}) {\n const { initialValue = \"\" } = options;\n const isSupported = useSupported(() => typeof window !== \"undefined\" && \"EyeDropper\" in window);\n const sRGBHex = ref(initialValue);\n async function open(openOptions) {\n if (!isSupported.value)\n return;\n const eyeDropper = new window.EyeDropper();\n const result = await eyeDropper.open(openOptions);\n sRGBHex.value = result.sRGBHex;\n return result;\n }\n return { isSupported, sRGBHex, open };\n}\n\nfunction useFavicon(newIcon = null, options = {}) {\n const {\n baseUrl = \"\",\n rel = \"icon\",\n document = defaultDocument\n } = options;\n const favicon = toRef(newIcon);\n const applyIcon = (icon) => {\n document == null ? void 0 : document.head.querySelectorAll(`link[rel*=\"${rel}\"]`).forEach((el) => el.href = `${baseUrl}${icon}`);\n };\n watch(\n favicon,\n (i, o) => {\n if (typeof i === \"string\" && i !== o)\n applyIcon(i);\n },\n { immediate: true }\n );\n return favicon;\n}\n\nvar __defProp$e = Object.defineProperty;\nvar __defProps$5 = Object.defineProperties;\nvar __getOwnPropDescs$5 = Object.getOwnPropertyDescriptors;\nvar __getOwnPropSymbols$f = Object.getOwnPropertySymbols;\nvar __hasOwnProp$f = Object.prototype.hasOwnProperty;\nvar __propIsEnum$f = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$e = (obj, key, value) => key in obj ? __defProp$e(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$e = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$f.call(b, prop))\n __defNormalProp$e(a, prop, b[prop]);\n if (__getOwnPropSymbols$f)\n for (var prop of __getOwnPropSymbols$f(b)) {\n if (__propIsEnum$f.call(b, prop))\n __defNormalProp$e(a, prop, b[prop]);\n }\n return a;\n};\nvar __spreadProps$5 = (a, b) => __defProps$5(a, __getOwnPropDescs$5(b));\nconst payloadMapping = {\n json: \"application/json\",\n text: \"text/plain\"\n};\nfunction isFetchOptions(obj) {\n return obj && containsProp(obj, \"immediate\", \"refetch\", \"initialData\", \"timeout\", \"beforeFetch\", \"afterFetch\", \"onFetchError\", \"fetch\");\n}\nfunction isAbsoluteURL(url) {\n return /^([a-z][a-z\\d+\\-.]*:)?\\/\\//i.test(url);\n}\nfunction headersToObject(headers) {\n if (typeof Headers !== \"undefined\" && headers instanceof Headers)\n return Object.fromEntries([...headers.entries()]);\n return headers;\n}\nfunction combineCallbacks(combination, ...callbacks) {\n if (combination === \"overwrite\") {\n return async (ctx) => {\n const callback = callbacks[callbacks.length - 1];\n if (callback)\n return __spreadValues$e(__spreadValues$e({}, ctx), await callback(ctx));\n return ctx;\n };\n } else {\n return async (ctx) => {\n for (const callback of callbacks) {\n if (callback)\n ctx = __spreadValues$e(__spreadValues$e({}, ctx), await callback(ctx));\n }\n return ctx;\n };\n }\n}\nfunction createFetch(config = {}) {\n const _combination = config.combination || \"chain\";\n const _options = config.options || {};\n const _fetchOptions = config.fetchOptions || {};\n function useFactoryFetch(url, ...args) {\n const computedUrl = computed(() => {\n const baseUrl = toValue(config.baseUrl);\n const targetUrl = toValue(url);\n return baseUrl && !isAbsoluteURL(targetUrl) ? joinPaths(baseUrl, targetUrl) : targetUrl;\n });\n let options = _options;\n let fetchOptions = _fetchOptions;\n if (args.length > 0) {\n if (isFetchOptions(args[0])) {\n options = __spreadProps$5(__spreadValues$e(__spreadValues$e({}, options), args[0]), {\n beforeFetch: combineCallbacks(_combination, _options.beforeFetch, args[0].beforeFetch),\n afterFetch: combineCallbacks(_combination, _options.afterFetch, args[0].afterFetch),\n onFetchError: combineCallbacks(_combination, _options.onFetchError, args[0].onFetchError)\n });\n } else {\n fetchOptions = __spreadProps$5(__spreadValues$e(__spreadValues$e({}, fetchOptions), args[0]), {\n headers: __spreadValues$e(__spreadValues$e({}, headersToObject(fetchOptions.headers) || {}), headersToObject(args[0].headers) || {})\n });\n }\n }\n if (args.length > 1 && isFetchOptions(args[1])) {\n options = __spreadProps$5(__spreadValues$e(__spreadValues$e({}, options), args[1]), {\n beforeFetch: combineCallbacks(_combination, _options.beforeFetch, args[1].beforeFetch),\n afterFetch: combineCallbacks(_combination, _options.afterFetch, args[1].afterFetch),\n onFetchError: combineCallbacks(_combination, _options.onFetchError, args[1].onFetchError)\n });\n }\n return useFetch(computedUrl, fetchOptions, options);\n }\n return useFactoryFetch;\n}\nfunction useFetch(url, ...args) {\n var _a;\n const supportsAbort = typeof AbortController === \"function\";\n let fetchOptions = {};\n let options = { immediate: true, refetch: false, timeout: 0 };\n const config = {\n method: \"GET\",\n type: \"text\",\n payload: void 0\n };\n if (args.length > 0) {\n if (isFetchOptions(args[0]))\n options = __spreadValues$e(__spreadValues$e({}, options), args[0]);\n else\n fetchOptions = args[0];\n }\n if (args.length > 1) {\n if (isFetchOptions(args[1]))\n options = __spreadValues$e(__spreadValues$e({}, options), args[1]);\n }\n const {\n fetch = (_a = defaultWindow) == null ? void 0 : _a.fetch,\n initialData,\n timeout\n } = options;\n const responseEvent = createEventHook();\n const errorEvent = createEventHook();\n const finallyEvent = createEventHook();\n const isFinished = ref(false);\n const isFetching = ref(false);\n const aborted = ref(false);\n const statusCode = ref(null);\n const response = shallowRef(null);\n const error = shallowRef(null);\n const data = shallowRef(initialData || null);\n const canAbort = computed(() => supportsAbort && isFetching.value);\n let controller;\n let timer;\n const abort = () => {\n if (supportsAbort) {\n controller == null ? void 0 : controller.abort();\n controller = new AbortController();\n controller.signal.onabort = () => aborted.value = true;\n fetchOptions = __spreadProps$5(__spreadValues$e({}, fetchOptions), {\n signal: controller.signal\n });\n }\n };\n const loading = (isLoading) => {\n isFetching.value = isLoading;\n isFinished.value = !isLoading;\n };\n if (timeout)\n timer = useTimeoutFn(abort, timeout, { immediate: false });\n const execute = async (throwOnFailed = false) => {\n var _a2;\n abort();\n loading(true);\n error.value = null;\n statusCode.value = null;\n aborted.value = false;\n const defaultFetchOptions = {\n method: config.method,\n headers: {}\n };\n if (config.payload) {\n const headers = headersToObject(defaultFetchOptions.headers);\n if (config.payloadType)\n headers[\"Content-Type\"] = (_a2 = payloadMapping[config.payloadType]) != null ? _a2 : config.payloadType;\n const payload = toValue(config.payload);\n defaultFetchOptions.body = config.payloadType === \"json\" ? JSON.stringify(payload) : payload;\n }\n let isCanceled = false;\n const context = {\n url: toValue(url),\n options: __spreadValues$e(__spreadValues$e({}, defaultFetchOptions), fetchOptions),\n cancel: () => {\n isCanceled = true;\n }\n };\n if (options.beforeFetch)\n Object.assign(context, await options.beforeFetch(context));\n if (isCanceled || !fetch) {\n loading(false);\n return Promise.resolve(null);\n }\n let responseData = null;\n if (timer)\n timer.start();\n return new Promise((resolve, reject) => {\n var _a3;\n fetch(\n context.url,\n __spreadProps$5(__spreadValues$e(__spreadValues$e({}, defaultFetchOptions), context.options), {\n headers: __spreadValues$e(__spreadValues$e({}, headersToObject(defaultFetchOptions.headers)), headersToObject((_a3 = context.options) == null ? void 0 : _a3.headers))\n })\n ).then(async (fetchResponse) => {\n response.value = fetchResponse;\n statusCode.value = fetchResponse.status;\n responseData = await fetchResponse[config.type]();\n if (!fetchResponse.ok) {\n data.value = initialData || null;\n throw new Error(fetchResponse.statusText);\n }\n if (options.afterFetch)\n ({ data: responseData } = await options.afterFetch({ data: responseData, response: fetchResponse }));\n data.value = responseData;\n responseEvent.trigger(fetchResponse);\n return resolve(fetchResponse);\n }).catch(async (fetchError) => {\n let errorData = fetchError.message || fetchError.name;\n if (options.onFetchError)\n ({ error: errorData } = await options.onFetchError({ data: responseData, error: fetchError, response: response.value }));\n error.value = errorData;\n errorEvent.trigger(fetchError);\n if (throwOnFailed)\n return reject(fetchError);\n return resolve(null);\n }).finally(() => {\n loading(false);\n if (timer)\n timer.stop();\n finallyEvent.trigger(null);\n });\n });\n };\n const refetch = toRef(options.refetch);\n watch(\n [\n refetch,\n toRef(url)\n ],\n ([refetch2]) => refetch2 && execute(),\n { deep: true }\n );\n const shell = {\n isFinished,\n statusCode,\n response,\n error,\n data,\n isFetching,\n canAbort,\n aborted,\n abort,\n execute,\n onFetchResponse: responseEvent.on,\n onFetchError: errorEvent.on,\n onFetchFinally: finallyEvent.on,\n // method\n get: setMethod(\"GET\"),\n put: setMethod(\"PUT\"),\n post: setMethod(\"POST\"),\n delete: setMethod(\"DELETE\"),\n patch: setMethod(\"PATCH\"),\n head: setMethod(\"HEAD\"),\n options: setMethod(\"OPTIONS\"),\n // type\n json: setType(\"json\"),\n text: setType(\"text\"),\n blob: setType(\"blob\"),\n arrayBuffer: setType(\"arrayBuffer\"),\n formData: setType(\"formData\")\n };\n function setMethod(method) {\n return (payload, payloadType) => {\n if (!isFetching.value) {\n config.method = method;\n config.payload = payload;\n config.payloadType = payloadType;\n if (isRef(config.payload)) {\n watch(\n [\n refetch,\n toRef(config.payload)\n ],\n ([refetch2]) => refetch2 && execute(),\n { deep: true }\n );\n }\n const rawPayload = toValue(config.payload);\n if (!payloadType && rawPayload && Object.getPrototypeOf(rawPayload) === Object.prototype && !(rawPayload instanceof FormData))\n config.payloadType = \"json\";\n return __spreadProps$5(__spreadValues$e({}, shell), {\n then(onFulfilled, onRejected) {\n return waitUntilFinished().then(onFulfilled, onRejected);\n }\n });\n }\n return void 0;\n };\n }\n function waitUntilFinished() {\n return new Promise((resolve, reject) => {\n until(isFinished).toBe(true).then(() => resolve(shell)).catch((error2) => reject(error2));\n });\n }\n function setType(type) {\n return () => {\n if (!isFetching.value) {\n config.type = type;\n return __spreadProps$5(__spreadValues$e({}, shell), {\n then(onFulfilled, onRejected) {\n return waitUntilFinished().then(onFulfilled, onRejected);\n }\n });\n }\n return void 0;\n };\n }\n if (options.immediate)\n Promise.resolve().then(() => execute());\n return __spreadProps$5(__spreadValues$e({}, shell), {\n then(onFulfilled, onRejected) {\n return waitUntilFinished().then(onFulfilled, onRejected);\n }\n });\n}\nfunction joinPaths(start, end) {\n if (!start.endsWith(\"/\") && !end.startsWith(\"/\"))\n return `${start}/${end}`;\n return `${start}${end}`;\n}\n\nvar __defProp$d = Object.defineProperty;\nvar __getOwnPropSymbols$e = Object.getOwnPropertySymbols;\nvar __hasOwnProp$e = Object.prototype.hasOwnProperty;\nvar __propIsEnum$e = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$d = (obj, key, value) => key in obj ? __defProp$d(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$d = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$e.call(b, prop))\n __defNormalProp$d(a, prop, b[prop]);\n if (__getOwnPropSymbols$e)\n for (var prop of __getOwnPropSymbols$e(b)) {\n if (__propIsEnum$e.call(b, prop))\n __defNormalProp$d(a, prop, b[prop]);\n }\n return a;\n};\nconst DEFAULT_OPTIONS = {\n multiple: true,\n accept: \"*\",\n reset: false\n};\nfunction useFileDialog(options = {}) {\n const {\n document = defaultDocument\n } = options;\n const files = ref(null);\n const { on: onChange, trigger } = createEventHook();\n let input;\n if (document) {\n input = document.createElement(\"input\");\n input.type = \"file\";\n input.onchange = (event) => {\n const result = event.target;\n files.value = result.files;\n trigger(files.value);\n };\n }\n const reset = () => {\n files.value = null;\n if (input)\n input.value = \"\";\n };\n const open = (localOptions) => {\n if (!input)\n return;\n const _options = __spreadValues$d(__spreadValues$d(__spreadValues$d({}, DEFAULT_OPTIONS), options), localOptions);\n input.multiple = _options.multiple;\n input.accept = _options.accept;\n if (hasOwn(_options, \"capture\"))\n input.capture = _options.capture;\n if (_options.reset)\n reset();\n input.click();\n };\n return {\n files: readonly(files),\n open,\n reset,\n onChange\n };\n}\n\nvar __defProp$c = Object.defineProperty;\nvar __getOwnPropSymbols$d = Object.getOwnPropertySymbols;\nvar __hasOwnProp$d = Object.prototype.hasOwnProperty;\nvar __propIsEnum$d = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$c = (obj, key, value) => key in obj ? __defProp$c(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$c = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$d.call(b, prop))\n __defNormalProp$c(a, prop, b[prop]);\n if (__getOwnPropSymbols$d)\n for (var prop of __getOwnPropSymbols$d(b)) {\n if (__propIsEnum$d.call(b, prop))\n __defNormalProp$c(a, prop, b[prop]);\n }\n return a;\n};\nfunction useFileSystemAccess(options = {}) {\n const {\n window: _window = defaultWindow,\n dataType = \"Text\"\n } = options;\n const window = _window;\n const isSupported = useSupported(() => window && \"showSaveFilePicker\" in window && \"showOpenFilePicker\" in window);\n const fileHandle = ref();\n const data = ref();\n const file = ref();\n const fileName = computed(() => {\n var _a, _b;\n return (_b = (_a = file.value) == null ? void 0 : _a.name) != null ? _b : \"\";\n });\n const fileMIME = computed(() => {\n var _a, _b;\n return (_b = (_a = file.value) == null ? void 0 : _a.type) != null ? _b : \"\";\n });\n const fileSize = computed(() => {\n var _a, _b;\n return (_b = (_a = file.value) == null ? void 0 : _a.size) != null ? _b : 0;\n });\n const fileLastModified = computed(() => {\n var _a, _b;\n return (_b = (_a = file.value) == null ? void 0 : _a.lastModified) != null ? _b : 0;\n });\n async function open(_options = {}) {\n if (!isSupported.value)\n return;\n const [handle] = await window.showOpenFilePicker(__spreadValues$c(__spreadValues$c({}, toValue(options)), _options));\n fileHandle.value = handle;\n await updateFile();\n await updateData();\n }\n async function create(_options = {}) {\n if (!isSupported.value)\n return;\n fileHandle.value = await window.showSaveFilePicker(__spreadValues$c(__spreadValues$c({}, options), _options));\n data.value = void 0;\n await updateFile();\n await updateData();\n }\n async function save(_options = {}) {\n if (!isSupported.value)\n return;\n if (!fileHandle.value)\n return saveAs(_options);\n if (data.value) {\n const writableStream = await fileHandle.value.createWritable();\n await writableStream.write(data.value);\n await writableStream.close();\n }\n await updateFile();\n }\n async function saveAs(_options = {}) {\n if (!isSupported.value)\n return;\n fileHandle.value = await window.showSaveFilePicker(__spreadValues$c(__spreadValues$c({}, options), _options));\n if (data.value) {\n const writableStream = await fileHandle.value.createWritable();\n await writableStream.write(data.value);\n await writableStream.close();\n }\n await updateFile();\n }\n async function updateFile() {\n var _a;\n file.value = await ((_a = fileHandle.value) == null ? void 0 : _a.getFile());\n }\n async function updateData() {\n var _a, _b;\n const type = toValue(dataType);\n if (type === \"Text\")\n data.value = await ((_a = file.value) == null ? void 0 : _a.text());\n else if (type === \"ArrayBuffer\")\n data.value = await ((_b = file.value) == null ? void 0 : _b.arrayBuffer());\n else if (type === \"Blob\")\n data.value = file.value;\n }\n watch(() => toValue(dataType), updateData);\n return {\n isSupported,\n data,\n file,\n fileName,\n fileMIME,\n fileSize,\n fileLastModified,\n open,\n create,\n save,\n saveAs,\n updateData\n };\n}\n\nfunction useFocus(target, options = {}) {\n const { initialValue = false } = options;\n const innerFocused = ref(false);\n const targetElement = computed(() => unrefElement(target));\n useEventListener(targetElement, \"focus\", () => innerFocused.value = true);\n useEventListener(targetElement, \"blur\", () => innerFocused.value = false);\n const focused = computed({\n get: () => innerFocused.value,\n set(value) {\n var _a, _b;\n if (!value && innerFocused.value)\n (_a = targetElement.value) == null ? void 0 : _a.blur();\n else if (value && !innerFocused.value)\n (_b = targetElement.value) == null ? void 0 : _b.focus();\n }\n });\n watch(\n targetElement,\n () => {\n focused.value = initialValue;\n },\n { immediate: true, flush: \"post\" }\n );\n return { focused };\n}\n\nfunction useFocusWithin(target, options = {}) {\n const activeElement = useActiveElement(options);\n const targetElement = computed(() => unrefElement(target));\n const focused = computed(() => targetElement.value && activeElement.value ? targetElement.value.contains(activeElement.value) : false);\n return { focused };\n}\n\nfunction useFps(options) {\n var _a;\n const fps = ref(0);\n if (typeof performance === \"undefined\")\n return fps;\n const every = (_a = options == null ? void 0 : options.every) != null ? _a : 10;\n let last = performance.now();\n let ticks = 0;\n useRafFn(() => {\n ticks += 1;\n if (ticks >= every) {\n const now = performance.now();\n const diff = now - last;\n fps.value = Math.round(1e3 / (diff / ticks));\n last = now;\n ticks = 0;\n }\n });\n return fps;\n}\n\nconst eventHandlers = [\n \"fullscreenchange\",\n \"webkitfullscreenchange\",\n \"webkitendfullscreen\",\n \"mozfullscreenchange\",\n \"MSFullscreenChange\"\n];\nfunction useFullscreen(target, options = {}) {\n const {\n document = defaultDocument,\n autoExit = false\n } = options;\n const targetRef = computed(() => {\n var _a;\n return (_a = unrefElement(target)) != null ? _a : document == null ? void 0 : document.querySelector(\"html\");\n });\n const isFullscreen = ref(false);\n const requestMethod = computed(() => {\n return [\n \"requestFullscreen\",\n \"webkitRequestFullscreen\",\n \"webkitEnterFullscreen\",\n \"webkitEnterFullScreen\",\n \"webkitRequestFullScreen\",\n \"mozRequestFullScreen\",\n \"msRequestFullscreen\"\n ].find((m) => document && m in document || targetRef.value && m in targetRef.value);\n });\n const exitMethod = computed(() => {\n return [\n \"exitFullscreen\",\n \"webkitExitFullscreen\",\n \"webkitExitFullScreen\",\n \"webkitCancelFullScreen\",\n \"mozCancelFullScreen\",\n \"msExitFullscreen\"\n ].find((m) => document && m in document || targetRef.value && m in targetRef.value);\n });\n const fullscreenEnabled = computed(() => {\n return [\n \"fullScreen\",\n \"webkitIsFullScreen\",\n \"webkitDisplayingFullscreen\",\n \"mozFullScreen\",\n \"msFullscreenElement\"\n ].find((m) => document && m in document || targetRef.value && m in targetRef.value);\n });\n const fullscreenElementMethod = [\n \"fullscreenElement\",\n \"webkitFullscreenElement\",\n \"mozFullScreenElement\",\n \"msFullscreenElement\"\n ].find((m) => document && m in document);\n const isSupported = useSupported(\n () => targetRef.value && document && requestMethod.value !== void 0 && exitMethod.value !== void 0 && fullscreenEnabled.value !== void 0\n );\n const isCurrentElementFullScreen = () => {\n if (fullscreenElementMethod)\n return (document == null ? void 0 : document[fullscreenElementMethod]) === targetRef.value;\n return false;\n };\n const isElementFullScreen = () => {\n if (fullscreenEnabled.value) {\n if (document && document[fullscreenEnabled.value] != null) {\n return document[fullscreenEnabled.value];\n } else {\n const target2 = targetRef.value;\n if ((target2 == null ? void 0 : target2[fullscreenEnabled.value]) != null) {\n return Boolean(target2[fullscreenEnabled.value]);\n }\n }\n }\n return false;\n };\n async function exit() {\n if (!isSupported.value || !isFullscreen.value)\n return;\n if (exitMethod.value) {\n if ((document == null ? void 0 : document[exitMethod.value]) != null) {\n await document[exitMethod.value]();\n } else {\n const target2 = targetRef.value;\n if ((target2 == null ? void 0 : target2[exitMethod.value]) != null)\n await target2[exitMethod.value]();\n }\n }\n isFullscreen.value = false;\n }\n async function enter() {\n if (!isSupported.value || isFullscreen.value)\n return;\n if (isElementFullScreen())\n await exit();\n const target2 = targetRef.value;\n if (requestMethod.value && (target2 == null ? void 0 : target2[requestMethod.value]) != null) {\n await target2[requestMethod.value]();\n isFullscreen.value = true;\n }\n }\n async function toggle() {\n await (isFullscreen.value ? exit() : enter());\n }\n const handlerCallback = () => {\n const isElementFullScreenValue = isElementFullScreen();\n if (!isElementFullScreenValue || isElementFullScreenValue && isCurrentElementFullScreen())\n isFullscreen.value = isElementFullScreenValue;\n };\n useEventListener(document, eventHandlers, handlerCallback, false);\n useEventListener(() => unrefElement(targetRef), eventHandlers, handlerCallback, false);\n if (autoExit)\n tryOnScopeDispose(exit);\n return {\n isSupported,\n isFullscreen,\n enter,\n exit,\n toggle\n };\n}\n\nvar __defProp$b = Object.defineProperty;\nvar __defProps$4 = Object.defineProperties;\nvar __getOwnPropDescs$4 = Object.getOwnPropertyDescriptors;\nvar __getOwnPropSymbols$c = Object.getOwnPropertySymbols;\nvar __hasOwnProp$c = Object.prototype.hasOwnProperty;\nvar __propIsEnum$c = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$b = (obj, key, value) => key in obj ? __defProp$b(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$b = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$c.call(b, prop))\n __defNormalProp$b(a, prop, b[prop]);\n if (__getOwnPropSymbols$c)\n for (var prop of __getOwnPropSymbols$c(b)) {\n if (__propIsEnum$c.call(b, prop))\n __defNormalProp$b(a, prop, b[prop]);\n }\n return a;\n};\nvar __spreadProps$4 = (a, b) => __defProps$4(a, __getOwnPropDescs$4(b));\nfunction mapGamepadToXbox360Controller(gamepad) {\n return computed(() => {\n if (gamepad.value) {\n return {\n buttons: {\n a: gamepad.value.buttons[0],\n b: gamepad.value.buttons[1],\n x: gamepad.value.buttons[2],\n y: gamepad.value.buttons[3]\n },\n bumper: {\n left: gamepad.value.buttons[4],\n right: gamepad.value.buttons[5]\n },\n triggers: {\n left: gamepad.value.buttons[6],\n right: gamepad.value.buttons[7]\n },\n stick: {\n left: {\n horizontal: gamepad.value.axes[0],\n vertical: gamepad.value.axes[1],\n button: gamepad.value.buttons[10]\n },\n right: {\n horizontal: gamepad.value.axes[2],\n vertical: gamepad.value.axes[3],\n button: gamepad.value.buttons[11]\n }\n },\n dpad: {\n up: gamepad.value.buttons[12],\n down: gamepad.value.buttons[13],\n left: gamepad.value.buttons[14],\n right: gamepad.value.buttons[15]\n },\n back: gamepad.value.buttons[8],\n start: gamepad.value.buttons[9]\n };\n }\n return null;\n });\n}\nfunction useGamepad(options = {}) {\n const {\n navigator = defaultNavigator\n } = options;\n const isSupported = useSupported(() => navigator && \"getGamepads\" in navigator);\n const gamepads = ref([]);\n const onConnectedHook = createEventHook();\n const onDisconnectedHook = createEventHook();\n const stateFromGamepad = (gamepad) => {\n const hapticActuators = [];\n const vibrationActuator = \"vibrationActuator\" in gamepad ? gamepad.vibrationActuator : null;\n if (vibrationActuator)\n hapticActuators.push(vibrationActuator);\n if (gamepad.hapticActuators)\n hapticActuators.push(...gamepad.hapticActuators);\n return __spreadProps$4(__spreadValues$b({}, gamepad), {\n id: gamepad.id,\n hapticActuators,\n axes: gamepad.axes.map((axes) => axes),\n buttons: gamepad.buttons.map((button) => ({ pressed: button.pressed, touched: button.touched, value: button.value }))\n });\n };\n const updateGamepadState = () => {\n const _gamepads = (navigator == null ? void 0 : navigator.getGamepads()) || [];\n for (let i = 0; i < _gamepads.length; ++i) {\n const gamepad = _gamepads[i];\n if (gamepad) {\n const index = gamepads.value.findIndex(({ index: index2 }) => index2 === gamepad.index);\n if (index > -1)\n gamepads.value[index] = stateFromGamepad(gamepad);\n }\n }\n };\n const { isActive, pause, resume } = useRafFn(updateGamepadState);\n const onGamepadConnected = (gamepad) => {\n if (!gamepads.value.some(({ index }) => index === gamepad.index)) {\n gamepads.value.push(stateFromGamepad(gamepad));\n onConnectedHook.trigger(gamepad.index);\n }\n resume();\n };\n const onGamepadDisconnected = (gamepad) => {\n gamepads.value = gamepads.value.filter((x) => x.index !== gamepad.index);\n onDisconnectedHook.trigger(gamepad.index);\n };\n useEventListener(\"gamepadconnected\", (e) => onGamepadConnected(e.gamepad));\n useEventListener(\"gamepaddisconnected\", (e) => onGamepadDisconnected(e.gamepad));\n tryOnMounted(() => {\n const _gamepads = (navigator == null ? void 0 : navigator.getGamepads()) || [];\n if (_gamepads) {\n for (let i = 0; i < _gamepads.length; ++i) {\n const gamepad = _gamepads[i];\n if (gamepad)\n onGamepadConnected(gamepad);\n }\n }\n });\n pause();\n return {\n isSupported,\n onConnected: onConnectedHook.on,\n onDisconnected: onDisconnectedHook.on,\n gamepads,\n pause,\n resume,\n isActive\n };\n}\n\nfunction useGeolocation(options = {}) {\n const {\n enableHighAccuracy = true,\n maximumAge = 3e4,\n timeout = 27e3,\n navigator = defaultNavigator,\n immediate = true\n } = options;\n const isSupported = useSupported(() => navigator && \"geolocation\" in navigator);\n const locatedAt = ref(null);\n const error = shallowRef(null);\n const coords = ref({\n accuracy: 0,\n latitude: Infinity,\n longitude: Infinity,\n altitude: null,\n altitudeAccuracy: null,\n heading: null,\n speed: null\n });\n function updatePosition(position) {\n locatedAt.value = position.timestamp;\n coords.value = position.coords;\n error.value = null;\n }\n let watcher;\n function resume() {\n if (isSupported.value) {\n watcher = navigator.geolocation.watchPosition(\n updatePosition,\n (err) => error.value = err,\n {\n enableHighAccuracy,\n maximumAge,\n timeout\n }\n );\n }\n }\n if (immediate)\n resume();\n function pause() {\n if (watcher && navigator)\n navigator.geolocation.clearWatch(watcher);\n }\n tryOnScopeDispose(() => {\n pause();\n });\n return {\n isSupported,\n coords,\n locatedAt,\n error,\n resume,\n pause\n };\n}\n\nconst defaultEvents$1 = [\"mousemove\", \"mousedown\", \"resize\", \"keydown\", \"touchstart\", \"wheel\"];\nconst oneMinute = 6e4;\nfunction useIdle(timeout = oneMinute, options = {}) {\n const {\n initialState = false,\n listenForVisibilityChange = true,\n events = defaultEvents$1,\n window = defaultWindow,\n eventFilter = throttleFilter(50)\n } = options;\n const idle = ref(initialState);\n const lastActive = ref(timestamp());\n let timer;\n const reset = () => {\n idle.value = false;\n clearTimeout(timer);\n timer = setTimeout(() => idle.value = true, timeout);\n };\n const onEvent = createFilterWrapper(\n eventFilter,\n () => {\n lastActive.value = timestamp();\n reset();\n }\n );\n if (window) {\n const document = window.document;\n for (const event of events)\n useEventListener(window, event, onEvent, { passive: true });\n if (listenForVisibilityChange) {\n useEventListener(document, \"visibilitychange\", () => {\n if (!document.hidden)\n onEvent();\n });\n }\n reset();\n }\n return {\n idle,\n lastActive,\n reset\n };\n}\n\nvar __defProp$a = Object.defineProperty;\nvar __getOwnPropSymbols$b = Object.getOwnPropertySymbols;\nvar __hasOwnProp$b = Object.prototype.hasOwnProperty;\nvar __propIsEnum$b = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$a = (obj, key, value) => key in obj ? __defProp$a(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$a = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$b.call(b, prop))\n __defNormalProp$a(a, prop, b[prop]);\n if (__getOwnPropSymbols$b)\n for (var prop of __getOwnPropSymbols$b(b)) {\n if (__propIsEnum$b.call(b, prop))\n __defNormalProp$a(a, prop, b[prop]);\n }\n return a;\n};\nasync function loadImage(options) {\n return new Promise((resolve, reject) => {\n const img = new Image();\n const { src, srcset, sizes, class: clazz, loading, crossorigin, referrerPolicy } = options;\n img.src = src;\n if (srcset)\n img.srcset = srcset;\n if (sizes)\n img.sizes = sizes;\n if (clazz)\n img.className = clazz;\n if (loading)\n img.loading = loading;\n if (crossorigin)\n img.crossOrigin = crossorigin;\n if (referrerPolicy)\n img.referrerPolicy = referrerPolicy;\n img.onload = () => resolve(img);\n img.onerror = reject;\n });\n}\nfunction useImage(options, asyncStateOptions = {}) {\n const state = useAsyncState(\n () => loadImage(toValue(options)),\n void 0,\n __spreadValues$a({\n resetOnExecute: true\n }, asyncStateOptions)\n );\n watch(\n () => toValue(options),\n () => state.execute(asyncStateOptions.delay),\n { deep: true }\n );\n return state;\n}\n\nconst ARRIVED_STATE_THRESHOLD_PIXELS = 1;\nfunction useScroll(element, options = {}) {\n const {\n throttle = 0,\n idle = 200,\n onStop = noop,\n onScroll = noop,\n offset = {\n left: 0,\n right: 0,\n top: 0,\n bottom: 0\n },\n eventListenerOptions = {\n capture: false,\n passive: true\n },\n behavior = \"auto\"\n } = options;\n const internalX = ref(0);\n const internalY = ref(0);\n const x = computed({\n get() {\n return internalX.value;\n },\n set(x2) {\n scrollTo(x2, void 0);\n }\n });\n const y = computed({\n get() {\n return internalY.value;\n },\n set(y2) {\n scrollTo(void 0, y2);\n }\n });\n function scrollTo(_x, _y) {\n var _a, _b, _c;\n const _element = toValue(element);\n if (!_element)\n return;\n (_c = _element instanceof Document ? document.body : _element) == null ? void 0 : _c.scrollTo({\n top: (_a = toValue(_y)) != null ? _a : y.value,\n left: (_b = toValue(_x)) != null ? _b : x.value,\n behavior: toValue(behavior)\n });\n }\n const isScrolling = ref(false);\n const arrivedState = reactive({\n left: true,\n right: false,\n top: true,\n bottom: false\n });\n const directions = reactive({\n left: false,\n right: false,\n top: false,\n bottom: false\n });\n const onScrollEnd = (e) => {\n if (!isScrolling.value)\n return;\n isScrolling.value = false;\n directions.left = false;\n directions.right = false;\n directions.top = false;\n directions.bottom = false;\n onStop(e);\n };\n const onScrollEndDebounced = useDebounceFn(onScrollEnd, throttle + idle);\n const setArrivedState = (target) => {\n const el = target === window ? target.document.documentElement : target === document ? target.documentElement : target;\n const { display, flexDirection } = getComputedStyle(el);\n const scrollLeft = el.scrollLeft;\n directions.left = scrollLeft < internalX.value;\n directions.right = scrollLeft > internalX.value;\n const left = Math.abs(scrollLeft) <= 0 + (offset.left || 0);\n const right = Math.abs(scrollLeft) + el.clientWidth >= el.scrollWidth - (offset.right || 0) - ARRIVED_STATE_THRESHOLD_PIXELS;\n if (display === \"flex\" && flexDirection === \"row-reverse\") {\n arrivedState.left = right;\n arrivedState.right = left;\n } else {\n arrivedState.left = left;\n arrivedState.right = right;\n }\n internalX.value = scrollLeft;\n let scrollTop = el.scrollTop;\n if (target === document && !scrollTop)\n scrollTop = document.body.scrollTop;\n directions.top = scrollTop < internalY.value;\n directions.bottom = scrollTop > internalY.value;\n const top = Math.abs(scrollTop) <= 0 + (offset.top || 0);\n const bottom = Math.abs(scrollTop) + el.clientHeight >= el.scrollHeight - (offset.bottom || 0) - ARRIVED_STATE_THRESHOLD_PIXELS;\n if (display === \"flex\" && flexDirection === \"column-reverse\") {\n arrivedState.top = bottom;\n arrivedState.bottom = top;\n } else {\n arrivedState.top = top;\n arrivedState.bottom = bottom;\n }\n internalY.value = scrollTop;\n };\n const onScrollHandler = (e) => {\n const eventTarget = e.target === document ? e.target.documentElement : e.target;\n setArrivedState(eventTarget);\n isScrolling.value = true;\n onScrollEndDebounced(e);\n onScroll(e);\n };\n useEventListener(\n element,\n \"scroll\",\n throttle ? useThrottleFn(onScrollHandler, throttle, true, false) : onScrollHandler,\n eventListenerOptions\n );\n useEventListener(\n element,\n \"scrollend\",\n onScrollEnd,\n eventListenerOptions\n );\n return {\n x,\n y,\n isScrolling,\n arrivedState,\n directions,\n measure() {\n const _element = toValue(element);\n if (_element)\n setArrivedState(_element);\n }\n };\n}\n\nvar __defProp$9 = Object.defineProperty;\nvar __defProps$3 = Object.defineProperties;\nvar __getOwnPropDescs$3 = Object.getOwnPropertyDescriptors;\nvar __getOwnPropSymbols$a = Object.getOwnPropertySymbols;\nvar __hasOwnProp$a = Object.prototype.hasOwnProperty;\nvar __propIsEnum$a = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$9 = (obj, key, value) => key in obj ? __defProp$9(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$9 = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$a.call(b, prop))\n __defNormalProp$9(a, prop, b[prop]);\n if (__getOwnPropSymbols$a)\n for (var prop of __getOwnPropSymbols$a(b)) {\n if (__propIsEnum$a.call(b, prop))\n __defNormalProp$9(a, prop, b[prop]);\n }\n return a;\n};\nvar __spreadProps$3 = (a, b) => __defProps$3(a, __getOwnPropDescs$3(b));\nfunction useInfiniteScroll(element, onLoadMore, options = {}) {\n var _a;\n const {\n direction = \"bottom\",\n interval = 100\n } = options;\n const state = reactive(useScroll(\n element,\n __spreadProps$3(__spreadValues$9({}, options), {\n offset: __spreadValues$9({\n [direction]: (_a = options.distance) != null ? _a : 0\n }, options.offset)\n })\n ));\n const promise = ref();\n const isLoading = computed(() => !!promise.value);\n function checkAndLoad() {\n state.measure();\n const el = toValue(element);\n if (!el || !el.offsetParent)\n return;\n const isNarrower = direction === \"bottom\" || direction === \"top\" ? el.scrollHeight <= el.clientHeight : el.scrollWidth <= el.clientWidth;\n if (state.arrivedState[direction] || isNarrower) {\n if (!promise.value) {\n promise.value = Promise.all([\n onLoadMore(state),\n new Promise((resolve) => setTimeout(resolve, interval))\n ]).finally(() => {\n promise.value = null;\n nextTick(() => checkAndLoad());\n });\n }\n }\n }\n watch(\n () => [state.arrivedState[direction], toValue(element)],\n checkAndLoad,\n { immediate: true }\n );\n return {\n isLoading\n };\n}\n\nconst defaultEvents = [\"mousedown\", \"mouseup\", \"keydown\", \"keyup\"];\nfunction useKeyModifier(modifier, options = {}) {\n const {\n events = defaultEvents,\n document = defaultDocument,\n initial = null\n } = options;\n const state = ref(initial);\n if (document) {\n events.forEach((listenerEvent) => {\n useEventListener(document, listenerEvent, (evt) => {\n if (typeof evt.getModifierState === \"function\")\n state.value = evt.getModifierState(modifier);\n });\n });\n }\n return state;\n}\n\nfunction useLocalStorage(key, initialValue, options = {}) {\n const { window = defaultWindow } = options;\n return useStorage(key, initialValue, window == null ? void 0 : window.localStorage, options);\n}\n\nconst DefaultMagicKeysAliasMap = {\n ctrl: \"control\",\n command: \"meta\",\n cmd: \"meta\",\n option: \"alt\",\n up: \"arrowup\",\n down: \"arrowdown\",\n left: \"arrowleft\",\n right: \"arrowright\"\n};\n\nfunction useMagicKeys(options = {}) {\n const {\n reactive: useReactive = false,\n target = defaultWindow,\n aliasMap = DefaultMagicKeysAliasMap,\n passive = true,\n onEventFired = noop\n } = options;\n const current = reactive(/* @__PURE__ */ new Set());\n const obj = {\n toJSON() {\n return {};\n },\n current\n };\n const refs = useReactive ? reactive(obj) : obj;\n const metaDeps = /* @__PURE__ */ new Set();\n const usedKeys = /* @__PURE__ */ new Set();\n function setRefs(key, value) {\n if (key in refs) {\n if (useReactive)\n refs[key] = value;\n else\n refs[key].value = value;\n }\n }\n function reset() {\n current.clear();\n for (const key of usedKeys)\n setRefs(key, false);\n }\n function updateRefs(e, value) {\n var _a, _b;\n const key = (_a = e.key) == null ? void 0 : _a.toLowerCase();\n const code = (_b = e.code) == null ? void 0 : _b.toLowerCase();\n const values = [code, key].filter(Boolean);\n if (key) {\n if (value)\n current.add(key);\n else\n current.delete(key);\n }\n for (const key2 of values) {\n usedKeys.add(key2);\n setRefs(key2, value);\n }\n if (key === \"meta\" && !value) {\n metaDeps.forEach((key2) => {\n current.delete(key2);\n setRefs(key2, false);\n });\n metaDeps.clear();\n } else if (typeof e.getModifierState === \"function\" && e.getModifierState(\"Meta\") && value) {\n [...current, ...values].forEach((key2) => metaDeps.add(key2));\n }\n }\n useEventListener(target, \"keydown\", (e) => {\n updateRefs(e, true);\n return onEventFired(e);\n }, { passive });\n useEventListener(target, \"keyup\", (e) => {\n updateRefs(e, false);\n return onEventFired(e);\n }, { passive });\n useEventListener(\"blur\", reset, { passive: true });\n useEventListener(\"focus\", reset, { passive: true });\n const proxy = new Proxy(\n refs,\n {\n get(target2, prop, rec) {\n if (typeof prop !== \"string\")\n return Reflect.get(target2, prop, rec);\n prop = prop.toLowerCase();\n if (prop in aliasMap)\n prop = aliasMap[prop];\n if (!(prop in refs)) {\n if (/[+_-]/.test(prop)) {\n const keys = prop.split(/[+_-]/g).map((i) => i.trim());\n refs[prop] = computed(() => keys.every((key) => toValue(proxy[key])));\n } else {\n refs[prop] = ref(false);\n }\n }\n const r = Reflect.get(target2, prop, rec);\n return useReactive ? toValue(r) : r;\n }\n }\n );\n return proxy;\n}\n\nvar __defProp$8 = Object.defineProperty;\nvar __getOwnPropSymbols$9 = Object.getOwnPropertySymbols;\nvar __hasOwnProp$9 = Object.prototype.hasOwnProperty;\nvar __propIsEnum$9 = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$8 = (obj, key, value) => key in obj ? __defProp$8(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$8 = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$9.call(b, prop))\n __defNormalProp$8(a, prop, b[prop]);\n if (__getOwnPropSymbols$9)\n for (var prop of __getOwnPropSymbols$9(b)) {\n if (__propIsEnum$9.call(b, prop))\n __defNormalProp$8(a, prop, b[prop]);\n }\n return a;\n};\nfunction usingElRef(source, cb) {\n if (toValue(source))\n cb(toValue(source));\n}\nfunction timeRangeToArray(timeRanges) {\n let ranges = [];\n for (let i = 0; i < timeRanges.length; ++i)\n ranges = [...ranges, [timeRanges.start(i), timeRanges.end(i)]];\n return ranges;\n}\nfunction tracksToArray(tracks) {\n return Array.from(tracks).map(({ label, kind, language, mode, activeCues, cues, inBandMetadataTrackDispatchType }, id) => ({ id, label, kind, language, mode, activeCues, cues, inBandMetadataTrackDispatchType }));\n}\nconst defaultOptions = {\n src: \"\",\n tracks: []\n};\nfunction useMediaControls(target, options = {}) {\n options = __spreadValues$8(__spreadValues$8({}, defaultOptions), options);\n const {\n document = defaultDocument\n } = options;\n const currentTime = ref(0);\n const duration = ref(0);\n const seeking = ref(false);\n const volume = ref(1);\n const waiting = ref(false);\n const ended = ref(false);\n const playing = ref(false);\n const rate = ref(1);\n const stalled = ref(false);\n const buffered = ref([]);\n const tracks = ref([]);\n const selectedTrack = ref(-1);\n const isPictureInPicture = ref(false);\n const muted = ref(false);\n const supportsPictureInPicture = document && \"pictureInPictureEnabled\" in document;\n const sourceErrorEvent = createEventHook();\n const disableTrack = (track) => {\n usingElRef(target, (el) => {\n if (track) {\n const id = typeof track === \"number\" ? track : track.id;\n el.textTracks[id].mode = \"disabled\";\n } else {\n for (let i = 0; i < el.textTracks.length; ++i)\n el.textTracks[i].mode = \"disabled\";\n }\n selectedTrack.value = -1;\n });\n };\n const enableTrack = (track, disableTracks = true) => {\n usingElRef(target, (el) => {\n const id = typeof track === \"number\" ? track : track.id;\n if (disableTracks)\n disableTrack();\n el.textTracks[id].mode = \"showing\";\n selectedTrack.value = id;\n });\n };\n const togglePictureInPicture = () => {\n return new Promise((resolve, reject) => {\n usingElRef(target, async (el) => {\n if (supportsPictureInPicture) {\n if (!isPictureInPicture.value) {\n el.requestPictureInPicture().then(resolve).catch(reject);\n } else {\n document.exitPictureInPicture().then(resolve).catch(reject);\n }\n }\n });\n });\n };\n watchEffect(() => {\n if (!document)\n return;\n const el = toValue(target);\n if (!el)\n return;\n const src = toValue(options.src);\n let sources = [];\n if (!src)\n return;\n if (typeof src === \"string\")\n sources = [{ src }];\n else if (Array.isArray(src))\n sources = src;\n else if (isObject(src))\n sources = [src];\n el.querySelectorAll(\"source\").forEach((e) => {\n e.removeEventListener(\"error\", sourceErrorEvent.trigger);\n e.remove();\n });\n sources.forEach(({ src: src2, type }) => {\n const source = document.createElement(\"source\");\n source.setAttribute(\"src\", src2);\n source.setAttribute(\"type\", type || \"\");\n source.addEventListener(\"error\", sourceErrorEvent.trigger);\n el.appendChild(source);\n });\n el.load();\n });\n tryOnScopeDispose(() => {\n const el = toValue(target);\n if (!el)\n return;\n el.querySelectorAll(\"source\").forEach((e) => e.removeEventListener(\"error\", sourceErrorEvent.trigger));\n });\n watch([target, volume], () => {\n const el = toValue(target);\n if (!el)\n return;\n el.volume = volume.value;\n });\n watch([target, muted], () => {\n const el = toValue(target);\n if (!el)\n return;\n el.muted = muted.value;\n });\n watch([target, rate], () => {\n const el = toValue(target);\n if (!el)\n return;\n el.playbackRate = rate.value;\n });\n watchEffect(() => {\n if (!document)\n return;\n const textTracks = toValue(options.tracks);\n const el = toValue(target);\n if (!textTracks || !textTracks.length || !el)\n return;\n el.querySelectorAll(\"track\").forEach((e) => e.remove());\n textTracks.forEach(({ default: isDefault, kind, label, src, srcLang }, i) => {\n const track = document.createElement(\"track\");\n track.default = isDefault || false;\n track.kind = kind;\n track.label = label;\n track.src = src;\n track.srclang = srcLang;\n if (track.default)\n selectedTrack.value = i;\n el.appendChild(track);\n });\n });\n const { ignoreUpdates: ignoreCurrentTimeUpdates } = watchIgnorable(currentTime, (time) => {\n const el = toValue(target);\n if (!el)\n return;\n el.currentTime = time;\n });\n const { ignoreUpdates: ignorePlayingUpdates } = watchIgnorable(playing, (isPlaying) => {\n const el = toValue(target);\n if (!el)\n return;\n isPlaying ? el.play() : el.pause();\n });\n useEventListener(target, \"timeupdate\", () => ignoreCurrentTimeUpdates(() => currentTime.value = toValue(target).currentTime));\n useEventListener(target, \"durationchange\", () => duration.value = toValue(target).duration);\n useEventListener(target, \"progress\", () => buffered.value = timeRangeToArray(toValue(target).buffered));\n useEventListener(target, \"seeking\", () => seeking.value = true);\n useEventListener(target, \"seeked\", () => seeking.value = false);\n useEventListener(target, [\"waiting\", \"loadstart\"], () => {\n waiting.value = true;\n ignorePlayingUpdates(() => playing.value = false);\n });\n useEventListener(target, \"loadeddata\", () => waiting.value = false);\n useEventListener(target, \"playing\", () => {\n waiting.value = false;\n ended.value = false;\n ignorePlayingUpdates(() => playing.value = true);\n });\n useEventListener(target, \"ratechange\", () => rate.value = toValue(target).playbackRate);\n useEventListener(target, \"stalled\", () => stalled.value = true);\n useEventListener(target, \"ended\", () => ended.value = true);\n useEventListener(target, \"pause\", () => ignorePlayingUpdates(() => playing.value = false));\n useEventListener(target, \"play\", () => ignorePlayingUpdates(() => playing.value = true));\n useEventListener(target, \"enterpictureinpicture\", () => isPictureInPicture.value = true);\n useEventListener(target, \"leavepictureinpicture\", () => isPictureInPicture.value = false);\n useEventListener(target, \"volumechange\", () => {\n const el = toValue(target);\n if (!el)\n return;\n volume.value = el.volume;\n muted.value = el.muted;\n });\n const listeners = [];\n const stop = watch([target], () => {\n const el = toValue(target);\n if (!el)\n return;\n stop();\n listeners[0] = useEventListener(el.textTracks, \"addtrack\", () => tracks.value = tracksToArray(el.textTracks));\n listeners[1] = useEventListener(el.textTracks, \"removetrack\", () => tracks.value = tracksToArray(el.textTracks));\n listeners[2] = useEventListener(el.textTracks, \"change\", () => tracks.value = tracksToArray(el.textTracks));\n });\n tryOnScopeDispose(() => listeners.forEach((listener) => listener()));\n return {\n currentTime,\n duration,\n waiting,\n seeking,\n ended,\n stalled,\n buffered,\n playing,\n rate,\n // Volume\n volume,\n muted,\n // Tracks\n tracks,\n selectedTrack,\n enableTrack,\n disableTrack,\n // Picture in Picture\n supportsPictureInPicture,\n togglePictureInPicture,\n isPictureInPicture,\n // Events\n onSourceError: sourceErrorEvent.on\n };\n}\n\nfunction getMapVue2Compat() {\n const data = reactive({});\n return {\n get: (key) => data[key],\n set: (key, value) => set(data, key, value),\n has: (key) => hasOwn(data, key),\n delete: (key) => del(data, key),\n clear: () => {\n Object.keys(data).forEach((key) => {\n del(data, key);\n });\n }\n };\n}\nfunction useMemoize(resolver, options) {\n const initCache = () => {\n if (options == null ? void 0 : options.cache)\n return reactive(options.cache);\n if (isVue2)\n return getMapVue2Compat();\n return reactive(/* @__PURE__ */ new Map());\n };\n const cache = initCache();\n const generateKey = (...args) => (options == null ? void 0 : options.getKey) ? options.getKey(...args) : JSON.stringify(args);\n const _loadData = (key, ...args) => {\n cache.set(key, resolver(...args));\n return cache.get(key);\n };\n const loadData = (...args) => _loadData(generateKey(...args), ...args);\n const deleteData = (...args) => {\n cache.delete(generateKey(...args));\n };\n const clearData = () => {\n cache.clear();\n };\n const memoized = (...args) => {\n const key = generateKey(...args);\n if (cache.has(key))\n return cache.get(key);\n return _loadData(key, ...args);\n };\n memoized.load = loadData;\n memoized.delete = deleteData;\n memoized.clear = clearData;\n memoized.generateKey = generateKey;\n memoized.cache = cache;\n return memoized;\n}\n\nfunction useMemory(options = {}) {\n const memory = ref();\n const isSupported = useSupported(() => typeof performance !== \"undefined\" && \"memory\" in performance);\n if (isSupported.value) {\n const { interval = 1e3 } = options;\n useIntervalFn(() => {\n memory.value = performance.memory;\n }, interval, { immediate: options.immediate, immediateCallback: options.immediateCallback });\n }\n return { isSupported, memory };\n}\n\nconst BuiltinExtractors = {\n page: (event) => [event.pageX, event.pageY],\n client: (event) => [event.clientX, event.clientY],\n screen: (event) => [event.screenX, event.screenY],\n movement: (event) => event instanceof Touch ? null : [event.movementX, event.movementY]\n};\nfunction useMouse(options = {}) {\n const {\n type = \"page\",\n touch = true,\n resetOnTouchEnds = false,\n initialValue = { x: 0, y: 0 },\n window = defaultWindow,\n target = window,\n eventFilter\n } = options;\n const x = ref(initialValue.x);\n const y = ref(initialValue.y);\n const sourceType = ref(null);\n const extractor = typeof type === \"function\" ? type : BuiltinExtractors[type];\n const mouseHandler = (event) => {\n const result = extractor(event);\n if (result) {\n [x.value, y.value] = result;\n sourceType.value = \"mouse\";\n }\n };\n const touchHandler = (event) => {\n if (event.touches.length > 0) {\n const result = extractor(event.touches[0]);\n if (result) {\n [x.value, y.value] = result;\n sourceType.value = \"touch\";\n }\n }\n };\n const reset = () => {\n x.value = initialValue.x;\n y.value = initialValue.y;\n };\n const mouseHandlerWrapper = eventFilter ? (event) => eventFilter(() => mouseHandler(event), {}) : (event) => mouseHandler(event);\n const touchHandlerWrapper = eventFilter ? (event) => eventFilter(() => touchHandler(event), {}) : (event) => touchHandler(event);\n if (target) {\n useEventListener(target, \"mousemove\", mouseHandlerWrapper, { passive: true });\n useEventListener(target, \"dragover\", mouseHandlerWrapper, { passive: true });\n if (touch && type !== \"movement\") {\n useEventListener(target, \"touchstart\", touchHandlerWrapper, { passive: true });\n useEventListener(target, \"touchmove\", touchHandlerWrapper, { passive: true });\n if (resetOnTouchEnds)\n useEventListener(target, \"touchend\", reset, { passive: true });\n }\n }\n return {\n x,\n y,\n sourceType\n };\n}\n\nfunction useMouseInElement(target, options = {}) {\n const {\n handleOutside = true,\n window = defaultWindow\n } = options;\n const { x, y, sourceType } = useMouse(options);\n const targetRef = ref(target != null ? target : window == null ? void 0 : window.document.body);\n const elementX = ref(0);\n const elementY = ref(0);\n const elementPositionX = ref(0);\n const elementPositionY = ref(0);\n const elementHeight = ref(0);\n const elementWidth = ref(0);\n const isOutside = ref(true);\n let stop = () => {\n };\n if (window) {\n stop = watch(\n [targetRef, x, y],\n () => {\n const el = unrefElement(targetRef);\n if (!el)\n return;\n const {\n left,\n top,\n width,\n height\n } = el.getBoundingClientRect();\n elementPositionX.value = left + window.pageXOffset;\n elementPositionY.value = top + window.pageYOffset;\n elementHeight.value = height;\n elementWidth.value = width;\n const elX = x.value - elementPositionX.value;\n const elY = y.value - elementPositionY.value;\n isOutside.value = width === 0 || height === 0 || elX < 0 || elY < 0 || elX > width || elY > height;\n if (handleOutside || !isOutside.value) {\n elementX.value = elX;\n elementY.value = elY;\n }\n },\n { immediate: true }\n );\n useEventListener(document, \"mouseleave\", () => {\n isOutside.value = true;\n });\n }\n return {\n x,\n y,\n sourceType,\n elementX,\n elementY,\n elementPositionX,\n elementPositionY,\n elementHeight,\n elementWidth,\n isOutside,\n stop\n };\n}\n\nfunction useMousePressed(options = {}) {\n const {\n touch = true,\n drag = true,\n initialValue = false,\n window = defaultWindow\n } = options;\n const pressed = ref(initialValue);\n const sourceType = ref(null);\n if (!window) {\n return {\n pressed,\n sourceType\n };\n }\n const onPressed = (srcType) => () => {\n pressed.value = true;\n sourceType.value = srcType;\n };\n const onReleased = () => {\n pressed.value = false;\n sourceType.value = null;\n };\n const target = computed(() => unrefElement(options.target) || window);\n useEventListener(target, \"mousedown\", onPressed(\"mouse\"), { passive: true });\n useEventListener(window, \"mouseleave\", onReleased, { passive: true });\n useEventListener(window, \"mouseup\", onReleased, { passive: true });\n if (drag) {\n useEventListener(target, \"dragstart\", onPressed(\"mouse\"), { passive: true });\n useEventListener(window, \"drop\", onReleased, { passive: true });\n useEventListener(window, \"dragend\", onReleased, { passive: true });\n }\n if (touch) {\n useEventListener(target, \"touchstart\", onPressed(\"touch\"), { passive: true });\n useEventListener(window, \"touchend\", onReleased, { passive: true });\n useEventListener(window, \"touchcancel\", onReleased, { passive: true });\n }\n return {\n pressed,\n sourceType\n };\n}\n\nfunction useNavigatorLanguage(options = {}) {\n const { window = defaultWindow } = options;\n const navigator = window == null ? void 0 : window.navigator;\n const isSupported = useSupported(() => navigator && \"language\" in navigator);\n const language = ref(navigator == null ? void 0 : navigator.language);\n useEventListener(window, \"languagechange\", () => {\n if (navigator)\n language.value = navigator.language;\n });\n return {\n isSupported,\n language\n };\n}\n\nfunction useNetwork(options = {}) {\n const { window = defaultWindow } = options;\n const navigator = window == null ? void 0 : window.navigator;\n const isSupported = useSupported(() => navigator && \"connection\" in navigator);\n const isOnline = ref(true);\n const saveData = ref(false);\n const offlineAt = ref(void 0);\n const onlineAt = ref(void 0);\n const downlink = ref(void 0);\n const downlinkMax = ref(void 0);\n const rtt = ref(void 0);\n const effectiveType = ref(void 0);\n const type = ref(\"unknown\");\n const connection = isSupported.value && navigator.connection;\n function updateNetworkInformation() {\n if (!navigator)\n return;\n isOnline.value = navigator.onLine;\n offlineAt.value = isOnline.value ? void 0 : Date.now();\n onlineAt.value = isOnline.value ? Date.now() : void 0;\n if (connection) {\n downlink.value = connection.downlink;\n downlinkMax.value = connection.downlinkMax;\n effectiveType.value = connection.effectiveType;\n rtt.value = connection.rtt;\n saveData.value = connection.saveData;\n type.value = connection.type;\n }\n }\n if (window) {\n useEventListener(window, \"offline\", () => {\n isOnline.value = false;\n offlineAt.value = Date.now();\n });\n useEventListener(window, \"online\", () => {\n isOnline.value = true;\n onlineAt.value = Date.now();\n });\n }\n if (connection)\n useEventListener(connection, \"change\", updateNetworkInformation, false);\n updateNetworkInformation();\n return {\n isSupported,\n isOnline,\n saveData,\n offlineAt,\n onlineAt,\n downlink,\n downlinkMax,\n effectiveType,\n rtt,\n type\n };\n}\n\nvar __defProp$7 = Object.defineProperty;\nvar __getOwnPropSymbols$8 = Object.getOwnPropertySymbols;\nvar __hasOwnProp$8 = Object.prototype.hasOwnProperty;\nvar __propIsEnum$8 = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$7 = (obj, key, value) => key in obj ? __defProp$7(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$7 = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$8.call(b, prop))\n __defNormalProp$7(a, prop, b[prop]);\n if (__getOwnPropSymbols$8)\n for (var prop of __getOwnPropSymbols$8(b)) {\n if (__propIsEnum$8.call(b, prop))\n __defNormalProp$7(a, prop, b[prop]);\n }\n return a;\n};\nfunction useNow(options = {}) {\n const {\n controls: exposeControls = false,\n interval = \"requestAnimationFrame\"\n } = options;\n const now = ref(/* @__PURE__ */ new Date());\n const update = () => now.value = /* @__PURE__ */ new Date();\n const controls = interval === \"requestAnimationFrame\" ? useRafFn(update, { immediate: true }) : useIntervalFn(update, interval, { immediate: true });\n if (exposeControls) {\n return __spreadValues$7({\n now\n }, controls);\n } else {\n return now;\n }\n}\n\nfunction useObjectUrl(object) {\n const url = ref();\n const release = () => {\n if (url.value)\n URL.revokeObjectURL(url.value);\n url.value = void 0;\n };\n watch(\n () => toValue(object),\n (newObject) => {\n release();\n if (newObject)\n url.value = URL.createObjectURL(newObject);\n },\n { immediate: true }\n );\n tryOnScopeDispose(release);\n return readonly(url);\n}\n\nfunction useClamp(value, min, max) {\n if (typeof value === \"function\" || isReadonly(value))\n return computed(() => clamp(toValue(value), toValue(min), toValue(max)));\n const _value = ref(value);\n return computed({\n get() {\n return _value.value = clamp(_value.value, toValue(min), toValue(max));\n },\n set(value2) {\n _value.value = clamp(value2, toValue(min), toValue(max));\n }\n });\n}\n\nfunction useOffsetPagination(options) {\n const {\n total = Infinity,\n pageSize = 10,\n page = 1,\n onPageChange = noop,\n onPageSizeChange = noop,\n onPageCountChange = noop\n } = options;\n const currentPageSize = useClamp(pageSize, 1, Infinity);\n const pageCount = computed(() => Math.max(\n 1,\n Math.ceil(toValue(total) / toValue(currentPageSize))\n ));\n const currentPage = useClamp(page, 1, pageCount);\n const isFirstPage = computed(() => currentPage.value === 1);\n const isLastPage = computed(() => currentPage.value === pageCount.value);\n if (isRef(page))\n syncRef(page, currentPage);\n if (isRef(pageSize))\n syncRef(pageSize, currentPageSize);\n function prev() {\n currentPage.value--;\n }\n function next() {\n currentPage.value++;\n }\n const returnValue = {\n currentPage,\n currentPageSize,\n pageCount,\n isFirstPage,\n isLastPage,\n prev,\n next\n };\n watch(currentPage, () => {\n onPageChange(reactive(returnValue));\n });\n watch(currentPageSize, () => {\n onPageSizeChange(reactive(returnValue));\n });\n watch(pageCount, () => {\n onPageCountChange(reactive(returnValue));\n });\n return returnValue;\n}\n\nfunction useOnline(options = {}) {\n const { isOnline } = useNetwork(options);\n return isOnline;\n}\n\nfunction usePageLeave(options = {}) {\n const { window = defaultWindow } = options;\n const isLeft = ref(false);\n const handler = (event) => {\n if (!window)\n return;\n event = event || window.event;\n const from = event.relatedTarget || event.toElement;\n isLeft.value = !from;\n };\n if (window) {\n useEventListener(window, \"mouseout\", handler, { passive: true });\n useEventListener(window.document, \"mouseleave\", handler, { passive: true });\n useEventListener(window.document, \"mouseenter\", handler, { passive: true });\n }\n return isLeft;\n}\n\nfunction useParallax(target, options = {}) {\n const {\n deviceOrientationTiltAdjust = (i) => i,\n deviceOrientationRollAdjust = (i) => i,\n mouseTiltAdjust = (i) => i,\n mouseRollAdjust = (i) => i,\n window = defaultWindow\n } = options;\n const orientation = reactive(useDeviceOrientation({ window }));\n const {\n elementX: x,\n elementY: y,\n elementWidth: width,\n elementHeight: height\n } = useMouseInElement(target, { handleOutside: false, window });\n const source = computed(() => {\n if (orientation.isSupported && (orientation.alpha != null && orientation.alpha !== 0 || orientation.gamma != null && orientation.gamma !== 0))\n return \"deviceOrientation\";\n return \"mouse\";\n });\n const roll = computed(() => {\n if (source.value === \"deviceOrientation\") {\n const value = -orientation.beta / 90;\n return deviceOrientationRollAdjust(value);\n } else {\n const value = -(y.value - height.value / 2) / height.value;\n return mouseRollAdjust(value);\n }\n });\n const tilt = computed(() => {\n if (source.value === \"deviceOrientation\") {\n const value = orientation.gamma / 90;\n return deviceOrientationTiltAdjust(value);\n } else {\n const value = (x.value - width.value / 2) / width.value;\n return mouseTiltAdjust(value);\n }\n });\n return { roll, tilt, source };\n}\n\nfunction useParentElement(element = useCurrentElement()) {\n const parentElement = shallowRef();\n const update = () => {\n const el = unrefElement(element);\n if (el)\n parentElement.value = el.parentElement;\n };\n tryOnMounted(update);\n watch(() => toValue(element), update);\n return parentElement;\n}\n\nvar __getOwnPropSymbols$7 = Object.getOwnPropertySymbols;\nvar __hasOwnProp$7 = Object.prototype.hasOwnProperty;\nvar __propIsEnum$7 = Object.prototype.propertyIsEnumerable;\nvar __objRest$1 = (source, exclude) => {\n var target = {};\n for (var prop in source)\n if (__hasOwnProp$7.call(source, prop) && exclude.indexOf(prop) < 0)\n target[prop] = source[prop];\n if (source != null && __getOwnPropSymbols$7)\n for (var prop of __getOwnPropSymbols$7(source)) {\n if (exclude.indexOf(prop) < 0 && __propIsEnum$7.call(source, prop))\n target[prop] = source[prop];\n }\n return target;\n};\nfunction usePerformanceObserver(options, callback) {\n const _a = options, {\n window = defaultWindow,\n immediate = true\n } = _a, performanceOptions = __objRest$1(_a, [\n \"window\",\n \"immediate\"\n ]);\n const isSupported = useSupported(() => window && \"PerformanceObserver\" in window);\n let observer;\n const stop = () => {\n observer == null ? void 0 : observer.disconnect();\n };\n const start = () => {\n if (isSupported.value) {\n stop();\n observer = new PerformanceObserver(callback);\n observer.observe(performanceOptions);\n }\n };\n tryOnScopeDispose(stop);\n if (immediate)\n start();\n return {\n isSupported,\n start,\n stop\n };\n}\n\nvar __defProp$6 = Object.defineProperty;\nvar __defProps$2 = Object.defineProperties;\nvar __getOwnPropDescs$2 = Object.getOwnPropertyDescriptors;\nvar __getOwnPropSymbols$6 = Object.getOwnPropertySymbols;\nvar __hasOwnProp$6 = Object.prototype.hasOwnProperty;\nvar __propIsEnum$6 = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$6 = (obj, key, value) => key in obj ? __defProp$6(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$6 = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$6.call(b, prop))\n __defNormalProp$6(a, prop, b[prop]);\n if (__getOwnPropSymbols$6)\n for (var prop of __getOwnPropSymbols$6(b)) {\n if (__propIsEnum$6.call(b, prop))\n __defNormalProp$6(a, prop, b[prop]);\n }\n return a;\n};\nvar __spreadProps$2 = (a, b) => __defProps$2(a, __getOwnPropDescs$2(b));\nconst defaultState = {\n x: 0,\n y: 0,\n pointerId: 0,\n pressure: 0,\n tiltX: 0,\n tiltY: 0,\n width: 0,\n height: 0,\n twist: 0,\n pointerType: null\n};\nconst keys = /* @__PURE__ */ Object.keys(defaultState);\nfunction usePointer(options = {}) {\n const {\n target = defaultWindow\n } = options;\n const isInside = ref(false);\n const state = ref(options.initialValue || {});\n Object.assign(state.value, defaultState, state.value);\n const handler = (event) => {\n isInside.value = true;\n if (options.pointerTypes && !options.pointerTypes.includes(event.pointerType))\n return;\n state.value = objectPick(event, keys, false);\n };\n if (target) {\n useEventListener(target, \"pointerdown\", handler, { passive: true });\n useEventListener(target, \"pointermove\", handler, { passive: true });\n useEventListener(target, \"pointerleave\", () => isInside.value = false, { passive: true });\n }\n return __spreadProps$2(__spreadValues$6({}, toRefs(state)), {\n isInside\n });\n}\n\nfunction usePointerLock(target, options = {}) {\n const { document = defaultDocument, pointerLockOptions } = options;\n const isSupported = useSupported(() => document && \"pointerLockElement\" in document);\n const element = ref();\n const triggerElement = ref();\n let targetElement;\n if (isSupported.value) {\n useEventListener(document, \"pointerlockchange\", () => {\n var _a;\n const currentElement = (_a = document.pointerLockElement) != null ? _a : element.value;\n if (targetElement && currentElement === targetElement) {\n element.value = document.pointerLockElement;\n if (!element.value)\n targetElement = triggerElement.value = null;\n }\n });\n useEventListener(document, \"pointerlockerror\", () => {\n var _a;\n const currentElement = (_a = document.pointerLockElement) != null ? _a : element.value;\n if (targetElement && currentElement === targetElement) {\n const action = document.pointerLockElement ? \"release\" : \"acquire\";\n throw new Error(`Failed to ${action} pointer lock.`);\n }\n });\n }\n async function lock(e, options2) {\n var _a;\n if (!isSupported.value)\n throw new Error(\"Pointer Lock API is not supported by your browser.\");\n triggerElement.value = e instanceof Event ? e.currentTarget : null;\n targetElement = e instanceof Event ? (_a = unrefElement(target)) != null ? _a : triggerElement.value : unrefElement(e);\n if (!targetElement)\n throw new Error(\"Target element undefined.\");\n targetElement.requestPointerLock(options2 != null ? options2 : pointerLockOptions);\n return await until(element).toBe(targetElement);\n }\n async function unlock() {\n if (!element.value)\n return false;\n document.exitPointerLock();\n await until(element).toBeNull();\n return true;\n }\n return {\n isSupported,\n element,\n triggerElement,\n lock,\n unlock\n };\n}\n\nfunction usePointerSwipe(target, options = {}) {\n const targetRef = toRef(target);\n const {\n threshold = 50,\n onSwipe,\n onSwipeEnd,\n onSwipeStart\n } = options;\n const posStart = reactive({ x: 0, y: 0 });\n const updatePosStart = (x, y) => {\n posStart.x = x;\n posStart.y = y;\n };\n const posEnd = reactive({ x: 0, y: 0 });\n const updatePosEnd = (x, y) => {\n posEnd.x = x;\n posEnd.y = y;\n };\n const distanceX = computed(() => posStart.x - posEnd.x);\n const distanceY = computed(() => posStart.y - posEnd.y);\n const { max, abs } = Math;\n const isThresholdExceeded = computed(() => max(abs(distanceX.value), abs(distanceY.value)) >= threshold);\n const isSwiping = ref(false);\n const isPointerDown = ref(false);\n const direction = computed(() => {\n if (!isThresholdExceeded.value)\n return \"none\";\n if (abs(distanceX.value) > abs(distanceY.value)) {\n return distanceX.value > 0 ? \"left\" : \"right\";\n } else {\n return distanceY.value > 0 ? \"up\" : \"down\";\n }\n });\n const eventIsAllowed = (e) => {\n var _a, _b, _c;\n const isReleasingButton = e.buttons === 0;\n const isPrimaryButton = e.buttons === 1;\n return (_c = (_b = (_a = options.pointerTypes) == null ? void 0 : _a.includes(e.pointerType)) != null ? _b : isReleasingButton || isPrimaryButton) != null ? _c : true;\n };\n const stops = [\n useEventListener(target, \"pointerdown\", (e) => {\n var _a, _b;\n if (!eventIsAllowed(e))\n return;\n isPointerDown.value = true;\n (_b = (_a = targetRef.value) == null ? void 0 : _a.style) == null ? void 0 : _b.setProperty(\"touch-action\", \"none\");\n const eventTarget = e.target;\n eventTarget == null ? void 0 : eventTarget.setPointerCapture(e.pointerId);\n const { clientX: x, clientY: y } = e;\n updatePosStart(x, y);\n updatePosEnd(x, y);\n onSwipeStart == null ? void 0 : onSwipeStart(e);\n }),\n useEventListener(target, \"pointermove\", (e) => {\n if (!eventIsAllowed(e))\n return;\n if (!isPointerDown.value)\n return;\n const { clientX: x, clientY: y } = e;\n updatePosEnd(x, y);\n if (!isSwiping.value && isThresholdExceeded.value)\n isSwiping.value = true;\n if (isSwiping.value)\n onSwipe == null ? void 0 : onSwipe(e);\n }),\n useEventListener(target, \"pointerup\", (e) => {\n var _a, _b;\n if (!eventIsAllowed(e))\n return;\n if (isSwiping.value)\n onSwipeEnd == null ? void 0 : onSwipeEnd(e, direction.value);\n isPointerDown.value = false;\n isSwiping.value = false;\n (_b = (_a = targetRef.value) == null ? void 0 : _a.style) == null ? void 0 : _b.setProperty(\"touch-action\", \"initial\");\n })\n ];\n const stop = () => stops.forEach((s) => s());\n return {\n isSwiping: readonly(isSwiping),\n direction: readonly(direction),\n posStart: readonly(posStart),\n posEnd: readonly(posEnd),\n distanceX,\n distanceY,\n stop\n };\n}\n\nfunction usePreferredColorScheme(options) {\n const isLight = useMediaQuery(\"(prefers-color-scheme: light)\", options);\n const isDark = useMediaQuery(\"(prefers-color-scheme: dark)\", options);\n return computed(() => {\n if (isDark.value)\n return \"dark\";\n if (isLight.value)\n return \"light\";\n return \"no-preference\";\n });\n}\n\nfunction usePreferredContrast(options) {\n const isMore = useMediaQuery(\"(prefers-contrast: more)\", options);\n const isLess = useMediaQuery(\"(prefers-contrast: less)\", options);\n const isCustom = useMediaQuery(\"(prefers-contrast: custom)\", options);\n return computed(() => {\n if (isMore.value)\n return \"more\";\n if (isLess.value)\n return \"less\";\n if (isCustom.value)\n return \"custom\";\n return \"no-preference\";\n });\n}\n\nfunction usePreferredLanguages(options = {}) {\n const { window = defaultWindow } = options;\n if (!window)\n return ref([\"en\"]);\n const navigator = window.navigator;\n const value = ref(navigator.languages);\n useEventListener(window, \"languagechange\", () => {\n value.value = navigator.languages;\n });\n return value;\n}\n\nfunction usePreferredReducedMotion(options) {\n const isReduced = useMediaQuery(\"(prefers-reduced-motion: reduce)\", options);\n return computed(() => {\n if (isReduced.value)\n return \"reduce\";\n return \"no-preference\";\n });\n}\n\nfunction usePrevious(value, initialValue) {\n const previous = shallowRef(initialValue);\n watch(\n toRef(value),\n (_, oldValue) => {\n previous.value = oldValue;\n },\n { flush: \"sync\" }\n );\n return readonly(previous);\n}\n\nfunction useScreenOrientation(options = {}) {\n const {\n window = defaultWindow\n } = options;\n const isSupported = useSupported(() => window && \"screen\" in window && \"orientation\" in window.screen);\n const screenOrientation = isSupported.value ? window.screen.orientation : {};\n const orientation = ref(screenOrientation.type);\n const angle = ref(screenOrientation.angle || 0);\n if (isSupported.value) {\n useEventListener(window, \"orientationchange\", () => {\n orientation.value = screenOrientation.type;\n angle.value = screenOrientation.angle;\n });\n }\n const lockOrientation = (type) => {\n if (!isSupported.value)\n return Promise.reject(new Error(\"Not supported\"));\n return screenOrientation.lock(type);\n };\n const unlockOrientation = () => {\n if (isSupported.value)\n screenOrientation.unlock();\n };\n return {\n isSupported,\n orientation,\n angle,\n lockOrientation,\n unlockOrientation\n };\n}\n\nconst topVarName = \"--vueuse-safe-area-top\";\nconst rightVarName = \"--vueuse-safe-area-right\";\nconst bottomVarName = \"--vueuse-safe-area-bottom\";\nconst leftVarName = \"--vueuse-safe-area-left\";\nfunction useScreenSafeArea() {\n const top = ref(\"\");\n const right = ref(\"\");\n const bottom = ref(\"\");\n const left = ref(\"\");\n if (isClient) {\n const topCssVar = useCssVar(topVarName);\n const rightCssVar = useCssVar(rightVarName);\n const bottomCssVar = useCssVar(bottomVarName);\n const leftCssVar = useCssVar(leftVarName);\n topCssVar.value = \"env(safe-area-inset-top, 0px)\";\n rightCssVar.value = \"env(safe-area-inset-right, 0px)\";\n bottomCssVar.value = \"env(safe-area-inset-bottom, 0px)\";\n leftCssVar.value = \"env(safe-area-inset-left, 0px)\";\n update();\n useEventListener(\"resize\", useDebounceFn(update));\n }\n function update() {\n top.value = getValue(topVarName);\n right.value = getValue(rightVarName);\n bottom.value = getValue(bottomVarName);\n left.value = getValue(leftVarName);\n }\n return {\n top,\n right,\n bottom,\n left,\n update\n };\n}\nfunction getValue(position) {\n return getComputedStyle(document.documentElement).getPropertyValue(position);\n}\n\nfunction useScriptTag(src, onLoaded = noop, options = {}) {\n const {\n immediate = true,\n manual = false,\n type = \"text/javascript\",\n async = true,\n crossOrigin,\n referrerPolicy,\n noModule,\n defer,\n document = defaultDocument,\n attrs = {}\n } = options;\n const scriptTag = ref(null);\n let _promise = null;\n const loadScript = (waitForScriptLoad) => new Promise((resolve, reject) => {\n const resolveWithElement = (el2) => {\n scriptTag.value = el2;\n resolve(el2);\n return el2;\n };\n if (!document) {\n resolve(false);\n return;\n }\n let shouldAppend = false;\n let el = document.querySelector(`script[src=\"${toValue(src)}\"]`);\n if (!el) {\n el = document.createElement(\"script\");\n el.type = type;\n el.async = async;\n el.src = toValue(src);\n if (defer)\n el.defer = defer;\n if (crossOrigin)\n el.crossOrigin = crossOrigin;\n if (noModule)\n el.noModule = noModule;\n if (referrerPolicy)\n el.referrerPolicy = referrerPolicy;\n Object.entries(attrs).forEach(([name, value]) => el == null ? void 0 : el.setAttribute(name, value));\n shouldAppend = true;\n } else if (el.hasAttribute(\"data-loaded\")) {\n resolveWithElement(el);\n }\n el.addEventListener(\"error\", (event) => reject(event));\n el.addEventListener(\"abort\", (event) => reject(event));\n el.addEventListener(\"load\", () => {\n el.setAttribute(\"data-loaded\", \"true\");\n onLoaded(el);\n resolveWithElement(el);\n });\n if (shouldAppend)\n el = document.head.appendChild(el);\n if (!waitForScriptLoad)\n resolveWithElement(el);\n });\n const load = (waitForScriptLoad = true) => {\n if (!_promise)\n _promise = loadScript(waitForScriptLoad);\n return _promise;\n };\n const unload = () => {\n if (!document)\n return;\n _promise = null;\n if (scriptTag.value)\n scriptTag.value = null;\n const el = document.querySelector(`script[src=\"${toValue(src)}\"]`);\n if (el)\n document.head.removeChild(el);\n };\n if (immediate && !manual)\n tryOnMounted(load);\n if (!manual)\n tryOnUnmounted(unload);\n return { scriptTag, load, unload };\n}\n\nfunction checkOverflowScroll(ele) {\n const style = window.getComputedStyle(ele);\n if (style.overflowX === \"scroll\" || style.overflowY === \"scroll\" || style.overflowX === \"auto\" && ele.clientWidth < ele.scrollWidth || style.overflowY === \"auto\" && ele.clientHeight < ele.scrollHeight) {\n return true;\n } else {\n const parent = ele.parentNode;\n if (!parent || parent.tagName === \"BODY\")\n return false;\n return checkOverflowScroll(parent);\n }\n}\nfunction preventDefault(rawEvent) {\n const e = rawEvent || window.event;\n const _target = e.target;\n if (checkOverflowScroll(_target))\n return false;\n if (e.touches.length > 1)\n return true;\n if (e.preventDefault)\n e.preventDefault();\n return false;\n}\nfunction useScrollLock(element, initialState = false) {\n const isLocked = ref(initialState);\n let stopTouchMoveListener = null;\n let initialOverflow;\n watch(toRef(element), (el) => {\n if (el) {\n const ele = el;\n initialOverflow = ele.style.overflow;\n if (isLocked.value)\n ele.style.overflow = \"hidden\";\n }\n }, {\n immediate: true\n });\n const lock = () => {\n const ele = toValue(element);\n if (!ele || isLocked.value)\n return;\n if (isIOS) {\n stopTouchMoveListener = useEventListener(\n ele,\n \"touchmove\",\n (e) => {\n preventDefault(e);\n },\n { passive: false }\n );\n }\n ele.style.overflow = \"hidden\";\n isLocked.value = true;\n };\n const unlock = () => {\n const ele = toValue(element);\n if (!ele || !isLocked.value)\n return;\n isIOS && (stopTouchMoveListener == null ? void 0 : stopTouchMoveListener());\n ele.style.overflow = initialOverflow;\n isLocked.value = false;\n };\n tryOnScopeDispose(unlock);\n return computed({\n get() {\n return isLocked.value;\n },\n set(v) {\n if (v)\n lock();\n else\n unlock();\n }\n });\n}\n\nfunction useSessionStorage(key, initialValue, options = {}) {\n const { window = defaultWindow } = options;\n return useStorage(key, initialValue, window == null ? void 0 : window.sessionStorage, options);\n}\n\nvar __defProp$5 = Object.defineProperty;\nvar __getOwnPropSymbols$5 = Object.getOwnPropertySymbols;\nvar __hasOwnProp$5 = Object.prototype.hasOwnProperty;\nvar __propIsEnum$5 = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$5 = (obj, key, value) => key in obj ? __defProp$5(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$5 = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$5.call(b, prop))\n __defNormalProp$5(a, prop, b[prop]);\n if (__getOwnPropSymbols$5)\n for (var prop of __getOwnPropSymbols$5(b)) {\n if (__propIsEnum$5.call(b, prop))\n __defNormalProp$5(a, prop, b[prop]);\n }\n return a;\n};\nfunction useShare(shareOptions = {}, options = {}) {\n const { navigator = defaultNavigator } = options;\n const _navigator = navigator;\n const isSupported = useSupported(() => _navigator && \"canShare\" in _navigator);\n const share = async (overrideOptions = {}) => {\n if (isSupported.value) {\n const data = __spreadValues$5(__spreadValues$5({}, toValue(shareOptions)), toValue(overrideOptions));\n let granted = true;\n if (data.files && _navigator.canShare)\n granted = _navigator.canShare({ files: data.files });\n if (granted)\n return _navigator.share(data);\n }\n };\n return {\n isSupported,\n share\n };\n}\n\nconst defaultSortFn = (source, compareFn) => source.sort(compareFn);\nconst defaultCompare = (a, b) => a - b;\nfunction useSorted(...args) {\n var _a, _b, _c, _d;\n const [source] = args;\n let compareFn = defaultCompare;\n let options = {};\n if (args.length === 2) {\n if (typeof args[1] === \"object\") {\n options = args[1];\n compareFn = (_a = options.compareFn) != null ? _a : defaultCompare;\n } else {\n compareFn = (_b = args[1]) != null ? _b : defaultCompare;\n }\n } else if (args.length > 2) {\n compareFn = (_c = args[1]) != null ? _c : defaultCompare;\n options = (_d = args[2]) != null ? _d : {};\n }\n const {\n dirty = false,\n sortFn = defaultSortFn\n } = options;\n if (!dirty)\n return computed(() => sortFn([...toValue(source)], compareFn));\n watchEffect(() => {\n const result = sortFn(toValue(source), compareFn);\n if (isRef(source))\n source.value = result;\n else\n source.splice(0, source.length, ...result);\n });\n return source;\n}\n\nfunction useSpeechRecognition(options = {}) {\n const {\n interimResults = true,\n continuous = true,\n window = defaultWindow\n } = options;\n const lang = toRef(options.lang || \"en-US\");\n const isListening = ref(false);\n const isFinal = ref(false);\n const result = ref(\"\");\n const error = shallowRef(void 0);\n const toggle = (value = !isListening.value) => {\n isListening.value = value;\n };\n const start = () => {\n isListening.value = true;\n };\n const stop = () => {\n isListening.value = false;\n };\n const SpeechRecognition = window && (window.SpeechRecognition || window.webkitSpeechRecognition);\n const isSupported = useSupported(() => SpeechRecognition);\n let recognition;\n if (isSupported.value) {\n recognition = new SpeechRecognition();\n recognition.continuous = continuous;\n recognition.interimResults = interimResults;\n recognition.lang = toValue(lang);\n recognition.onstart = () => {\n isFinal.value = false;\n };\n watch(lang, (lang2) => {\n if (recognition && !isListening.value)\n recognition.lang = lang2;\n });\n recognition.onresult = (event) => {\n const transcript = Array.from(event.results).map((result2) => {\n isFinal.value = result2.isFinal;\n return result2[0];\n }).map((result2) => result2.transcript).join(\"\");\n result.value = transcript;\n error.value = void 0;\n };\n recognition.onerror = (event) => {\n error.value = event;\n };\n recognition.onend = () => {\n isListening.value = false;\n recognition.lang = toValue(lang);\n };\n watch(isListening, () => {\n if (isListening.value)\n recognition.start();\n else\n recognition.stop();\n });\n }\n tryOnScopeDispose(() => {\n isListening.value = false;\n });\n return {\n isSupported,\n isListening,\n isFinal,\n recognition,\n result,\n error,\n toggle,\n start,\n stop\n };\n}\n\nfunction useSpeechSynthesis(text, options = {}) {\n const {\n pitch = 1,\n rate = 1,\n volume = 1,\n window = defaultWindow\n } = options;\n const synth = window && window.speechSynthesis;\n const isSupported = useSupported(() => synth);\n const isPlaying = ref(false);\n const status = ref(\"init\");\n const spokenText = toRef(text || \"\");\n const lang = toRef(options.lang || \"en-US\");\n const error = shallowRef(void 0);\n const toggle = (value = !isPlaying.value) => {\n isPlaying.value = value;\n };\n const bindEventsForUtterance = (utterance2) => {\n utterance2.lang = toValue(lang);\n utterance2.voice = toValue(options.voice) || null;\n utterance2.pitch = pitch;\n utterance2.rate = rate;\n utterance2.volume = volume;\n utterance2.onstart = () => {\n isPlaying.value = true;\n status.value = \"play\";\n };\n utterance2.onpause = () => {\n isPlaying.value = false;\n status.value = \"pause\";\n };\n utterance2.onresume = () => {\n isPlaying.value = true;\n status.value = \"play\";\n };\n utterance2.onend = () => {\n isPlaying.value = false;\n status.value = \"end\";\n };\n utterance2.onerror = (event) => {\n error.value = event;\n };\n };\n const utterance = computed(() => {\n isPlaying.value = false;\n status.value = \"init\";\n const newUtterance = new SpeechSynthesisUtterance(spokenText.value);\n bindEventsForUtterance(newUtterance);\n return newUtterance;\n });\n const speak = () => {\n synth.cancel();\n utterance && synth.speak(utterance.value);\n };\n const stop = () => {\n synth.cancel();\n isPlaying.value = false;\n };\n if (isSupported.value) {\n bindEventsForUtterance(utterance.value);\n watch(lang, (lang2) => {\n if (utterance.value && !isPlaying.value)\n utterance.value.lang = lang2;\n });\n if (options.voice) {\n watch(options.voice, () => {\n synth.cancel();\n });\n }\n watch(isPlaying, () => {\n if (isPlaying.value)\n synth.resume();\n else\n synth.pause();\n });\n }\n tryOnScopeDispose(() => {\n isPlaying.value = false;\n });\n return {\n isSupported,\n isPlaying,\n status,\n utterance,\n error,\n stop,\n toggle,\n speak\n };\n}\n\nfunction useStepper(steps, initialStep) {\n const stepsRef = ref(steps);\n const stepNames = computed(() => Array.isArray(stepsRef.value) ? stepsRef.value : Object.keys(stepsRef.value));\n const index = ref(stepNames.value.indexOf(initialStep != null ? initialStep : stepNames.value[0]));\n const current = computed(() => at(index.value));\n const isFirst = computed(() => index.value === 0);\n const isLast = computed(() => index.value === stepNames.value.length - 1);\n const next = computed(() => stepNames.value[index.value + 1]);\n const previous = computed(() => stepNames.value[index.value - 1]);\n function at(index2) {\n if (Array.isArray(stepsRef.value))\n return stepsRef.value[index2];\n return stepsRef.value[stepNames.value[index2]];\n }\n function get(step) {\n if (!stepNames.value.includes(step))\n return;\n return at(stepNames.value.indexOf(step));\n }\n function goTo(step) {\n if (stepNames.value.includes(step))\n index.value = stepNames.value.indexOf(step);\n }\n function goToNext() {\n if (isLast.value)\n return;\n index.value++;\n }\n function goToPrevious() {\n if (isFirst.value)\n return;\n index.value--;\n }\n function goBackTo(step) {\n if (isAfter(step))\n goTo(step);\n }\n function isNext(step) {\n return stepNames.value.indexOf(step) === index.value + 1;\n }\n function isPrevious(step) {\n return stepNames.value.indexOf(step) === index.value - 1;\n }\n function isCurrent(step) {\n return stepNames.value.indexOf(step) === index.value;\n }\n function isBefore(step) {\n return index.value < stepNames.value.indexOf(step);\n }\n function isAfter(step) {\n return index.value > stepNames.value.indexOf(step);\n }\n return {\n steps: stepsRef,\n stepNames,\n index,\n current,\n next,\n previous,\n isFirst,\n isLast,\n at,\n get,\n goTo,\n goToNext,\n goToPrevious,\n goBackTo,\n isNext,\n isPrevious,\n isCurrent,\n isBefore,\n isAfter\n };\n}\n\nvar __defProp$4 = Object.defineProperty;\nvar __getOwnPropSymbols$4 = Object.getOwnPropertySymbols;\nvar __hasOwnProp$4 = Object.prototype.hasOwnProperty;\nvar __propIsEnum$4 = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$4 = (obj, key, value) => key in obj ? __defProp$4(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$4 = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$4.call(b, prop))\n __defNormalProp$4(a, prop, b[prop]);\n if (__getOwnPropSymbols$4)\n for (var prop of __getOwnPropSymbols$4(b)) {\n if (__propIsEnum$4.call(b, prop))\n __defNormalProp$4(a, prop, b[prop]);\n }\n return a;\n};\nfunction useStorageAsync(key, initialValue, storage, options = {}) {\n var _a;\n const {\n flush = \"pre\",\n deep = true,\n listenToStorageChanges = true,\n writeDefaults = true,\n mergeDefaults = false,\n shallow,\n window = defaultWindow,\n eventFilter,\n onError = (e) => {\n console.error(e);\n }\n } = options;\n const rawInit = toValue(initialValue);\n const type = guessSerializerType(rawInit);\n const data = (shallow ? shallowRef : ref)(initialValue);\n const serializer = (_a = options.serializer) != null ? _a : StorageSerializers[type];\n if (!storage) {\n try {\n storage = getSSRHandler(\"getDefaultStorage\", () => {\n var _a2;\n return (_a2 = defaultWindow) == null ? void 0 : _a2.localStorage;\n })();\n } catch (e) {\n onError(e);\n }\n }\n async function read(event) {\n if (!storage || event && event.key !== key)\n return;\n try {\n const rawValue = event ? event.newValue : await storage.getItem(key);\n if (rawValue == null) {\n data.value = rawInit;\n if (writeDefaults && rawInit !== null)\n await storage.setItem(key, await serializer.write(rawInit));\n } else if (mergeDefaults) {\n const value = await serializer.read(rawValue);\n if (typeof mergeDefaults === \"function\")\n data.value = mergeDefaults(value, rawInit);\n else if (type === \"object\" && !Array.isArray(value))\n data.value = __spreadValues$4(__spreadValues$4({}, rawInit), value);\n else\n data.value = value;\n } else {\n data.value = await serializer.read(rawValue);\n }\n } catch (e) {\n onError(e);\n }\n }\n read();\n if (window && listenToStorageChanges)\n useEventListener(window, \"storage\", (e) => Promise.resolve().then(() => read(e)));\n if (storage) {\n watchWithFilter(\n data,\n async () => {\n try {\n if (data.value == null)\n await storage.removeItem(key);\n else\n await storage.setItem(key, await serializer.write(data.value));\n } catch (e) {\n onError(e);\n }\n },\n {\n flush,\n deep,\n eventFilter\n }\n );\n }\n return data;\n}\n\nlet _id = 0;\nfunction useStyleTag(css, options = {}) {\n const isLoaded = ref(false);\n const {\n document = defaultDocument,\n immediate = true,\n manual = false,\n id = `vueuse_styletag_${++_id}`\n } = options;\n const cssRef = ref(css);\n let stop = () => {\n };\n const load = () => {\n if (!document)\n return;\n const el = document.getElementById(id) || document.createElement(\"style\");\n if (!el.isConnected) {\n el.type = \"text/css\";\n el.id = id;\n if (options.media)\n el.media = options.media;\n document.head.appendChild(el);\n }\n if (isLoaded.value)\n return;\n stop = watch(\n cssRef,\n (value) => {\n el.textContent = value;\n },\n { immediate: true }\n );\n isLoaded.value = true;\n };\n const unload = () => {\n if (!document || !isLoaded.value)\n return;\n stop();\n document.head.removeChild(document.getElementById(id));\n isLoaded.value = false;\n };\n if (immediate && !manual)\n tryOnMounted(load);\n if (!manual)\n tryOnScopeDispose(unload);\n return {\n id,\n css: cssRef,\n unload,\n load,\n isLoaded: readonly(isLoaded)\n };\n}\n\nfunction useSwipe(target, options = {}) {\n const {\n threshold = 50,\n onSwipe,\n onSwipeEnd,\n onSwipeStart,\n passive = true,\n window = defaultWindow\n } = options;\n const coordsStart = reactive({ x: 0, y: 0 });\n const coordsEnd = reactive({ x: 0, y: 0 });\n const diffX = computed(() => coordsStart.x - coordsEnd.x);\n const diffY = computed(() => coordsStart.y - coordsEnd.y);\n const { max, abs } = Math;\n const isThresholdExceeded = computed(() => max(abs(diffX.value), abs(diffY.value)) >= threshold);\n const isSwiping = ref(false);\n const direction = computed(() => {\n if (!isThresholdExceeded.value)\n return \"none\";\n if (abs(diffX.value) > abs(diffY.value)) {\n return diffX.value > 0 ? \"left\" : \"right\";\n } else {\n return diffY.value > 0 ? \"up\" : \"down\";\n }\n });\n const getTouchEventCoords = (e) => [e.touches[0].clientX, e.touches[0].clientY];\n const updateCoordsStart = (x, y) => {\n coordsStart.x = x;\n coordsStart.y = y;\n };\n const updateCoordsEnd = (x, y) => {\n coordsEnd.x = x;\n coordsEnd.y = y;\n };\n let listenerOptions;\n const isPassiveEventSupported = checkPassiveEventSupport(window == null ? void 0 : window.document);\n if (!passive)\n listenerOptions = isPassiveEventSupported ? { passive: false, capture: true } : { capture: true };\n else\n listenerOptions = isPassiveEventSupported ? { passive: true } : { capture: false };\n const onTouchEnd = (e) => {\n if (isSwiping.value)\n onSwipeEnd == null ? void 0 : onSwipeEnd(e, direction.value);\n isSwiping.value = false;\n };\n const stops = [\n useEventListener(target, \"touchstart\", (e) => {\n if (e.touches.length !== 1)\n return;\n if (listenerOptions.capture && !listenerOptions.passive)\n e.preventDefault();\n const [x, y] = getTouchEventCoords(e);\n updateCoordsStart(x, y);\n updateCoordsEnd(x, y);\n onSwipeStart == null ? void 0 : onSwipeStart(e);\n }, listenerOptions),\n useEventListener(target, \"touchmove\", (e) => {\n if (e.touches.length !== 1)\n return;\n const [x, y] = getTouchEventCoords(e);\n updateCoordsEnd(x, y);\n if (!isSwiping.value && isThresholdExceeded.value)\n isSwiping.value = true;\n if (isSwiping.value)\n onSwipe == null ? void 0 : onSwipe(e);\n }, listenerOptions),\n useEventListener(target, \"touchend\", onTouchEnd, listenerOptions),\n useEventListener(target, \"touchcancel\", onTouchEnd, listenerOptions)\n ];\n const stop = () => stops.forEach((s) => s());\n return {\n isPassiveEventSupported,\n isSwiping,\n direction,\n coordsStart,\n coordsEnd,\n lengthX: diffX,\n lengthY: diffY,\n stop\n };\n}\nfunction checkPassiveEventSupport(document) {\n if (!document)\n return false;\n let supportsPassive = false;\n const optionsBlock = {\n get passive() {\n supportsPassive = true;\n return false;\n }\n };\n document.addEventListener(\"x\", noop, optionsBlock);\n document.removeEventListener(\"x\", noop);\n return supportsPassive;\n}\n\nfunction useTemplateRefsList() {\n const refs = ref([]);\n refs.value.set = (el) => {\n if (el)\n refs.value.push(el);\n };\n onBeforeUpdate(() => {\n refs.value.length = 0;\n });\n return refs;\n}\n\nfunction useTextDirection(options = {}) {\n const {\n document = defaultDocument,\n selector = \"html\",\n observe = false,\n initialValue = \"ltr\"\n } = options;\n function getValue() {\n var _a, _b;\n return (_b = (_a = document == null ? void 0 : document.querySelector(selector)) == null ? void 0 : _a.getAttribute(\"dir\")) != null ? _b : initialValue;\n }\n const dir = ref(getValue());\n tryOnMounted(() => dir.value = getValue());\n if (observe && document) {\n useMutationObserver(\n document.querySelector(selector),\n () => dir.value = getValue(),\n { attributes: true }\n );\n }\n return computed({\n get() {\n return dir.value;\n },\n set(v) {\n var _a, _b;\n dir.value = v;\n if (!document)\n return;\n if (dir.value)\n (_a = document.querySelector(selector)) == null ? void 0 : _a.setAttribute(\"dir\", dir.value);\n else\n (_b = document.querySelector(selector)) == null ? void 0 : _b.removeAttribute(\"dir\");\n }\n });\n}\n\nfunction getRangesFromSelection(selection) {\n var _a;\n const rangeCount = (_a = selection.rangeCount) != null ? _a : 0;\n const ranges = new Array(rangeCount);\n for (let i = 0; i < rangeCount; i++) {\n const range = selection.getRangeAt(i);\n ranges[i] = range;\n }\n return ranges;\n}\nfunction useTextSelection(options = {}) {\n const {\n window = defaultWindow\n } = options;\n const selection = ref(null);\n const text = computed(() => {\n var _a, _b;\n return (_b = (_a = selection.value) == null ? void 0 : _a.toString()) != null ? _b : \"\";\n });\n const ranges = computed(() => selection.value ? getRangesFromSelection(selection.value) : []);\n const rects = computed(() => ranges.value.map((range) => range.getBoundingClientRect()));\n function onSelectionChange() {\n selection.value = null;\n if (window)\n selection.value = window.getSelection();\n }\n if (window)\n useEventListener(window.document, \"selectionchange\", onSelectionChange);\n return {\n text,\n rects,\n ranges,\n selection\n };\n}\n\nfunction useTextareaAutosize(options) {\n const textarea = ref(options == null ? void 0 : options.element);\n const input = ref(options == null ? void 0 : options.input);\n const textareaScrollHeight = ref(1);\n function triggerResize() {\n var _a, _b;\n if (!textarea.value)\n return;\n let height = \"\";\n textarea.value.style.height = \"1px\";\n textareaScrollHeight.value = (_a = textarea.value) == null ? void 0 : _a.scrollHeight;\n if (options == null ? void 0 : options.styleTarget)\n toValue(options.styleTarget).style.height = `${textareaScrollHeight.value}px`;\n else\n height = `${textareaScrollHeight.value}px`;\n textarea.value.style.height = height;\n (_b = options == null ? void 0 : options.onResize) == null ? void 0 : _b.call(options);\n }\n watch([input, textarea], () => nextTick(triggerResize), { immediate: true });\n useResizeObserver(textarea, () => triggerResize());\n if (options == null ? void 0 : options.watch)\n watch(options.watch, triggerResize, { immediate: true, deep: true });\n return {\n textarea,\n input,\n triggerResize\n };\n}\n\nvar __defProp$3 = Object.defineProperty;\nvar __defProps$1 = Object.defineProperties;\nvar __getOwnPropDescs$1 = Object.getOwnPropertyDescriptors;\nvar __getOwnPropSymbols$3 = Object.getOwnPropertySymbols;\nvar __hasOwnProp$3 = Object.prototype.hasOwnProperty;\nvar __propIsEnum$3 = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$3 = (obj, key, value) => key in obj ? __defProp$3(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$3 = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$3.call(b, prop))\n __defNormalProp$3(a, prop, b[prop]);\n if (__getOwnPropSymbols$3)\n for (var prop of __getOwnPropSymbols$3(b)) {\n if (__propIsEnum$3.call(b, prop))\n __defNormalProp$3(a, prop, b[prop]);\n }\n return a;\n};\nvar __spreadProps$1 = (a, b) => __defProps$1(a, __getOwnPropDescs$1(b));\nfunction useThrottledRefHistory(source, options = {}) {\n const { throttle = 200, trailing = true } = options;\n const filter = throttleFilter(throttle, trailing);\n const history = useRefHistory(source, __spreadProps$1(__spreadValues$3({}, options), { eventFilter: filter }));\n return __spreadValues$3({}, history);\n}\n\nvar __defProp$2 = Object.defineProperty;\nvar __getOwnPropSymbols$2 = Object.getOwnPropertySymbols;\nvar __hasOwnProp$2 = Object.prototype.hasOwnProperty;\nvar __propIsEnum$2 = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$2 = (obj, key, value) => key in obj ? __defProp$2(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$2 = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$2.call(b, prop))\n __defNormalProp$2(a, prop, b[prop]);\n if (__getOwnPropSymbols$2)\n for (var prop of __getOwnPropSymbols$2(b)) {\n if (__propIsEnum$2.call(b, prop))\n __defNormalProp$2(a, prop, b[prop]);\n }\n return a;\n};\nvar __objRest = (source, exclude) => {\n var target = {};\n for (var prop in source)\n if (__hasOwnProp$2.call(source, prop) && exclude.indexOf(prop) < 0)\n target[prop] = source[prop];\n if (source != null && __getOwnPropSymbols$2)\n for (var prop of __getOwnPropSymbols$2(source)) {\n if (exclude.indexOf(prop) < 0 && __propIsEnum$2.call(source, prop))\n target[prop] = source[prop];\n }\n return target;\n};\nconst DEFAULT_UNITS = [\n { max: 6e4, value: 1e3, name: \"second\" },\n { max: 276e4, value: 6e4, name: \"minute\" },\n { max: 72e6, value: 36e5, name: \"hour\" },\n { max: 5184e5, value: 864e5, name: \"day\" },\n { max: 24192e5, value: 6048e5, name: \"week\" },\n { max: 28512e6, value: 2592e6, name: \"month\" },\n { max: Infinity, value: 31536e6, name: \"year\" }\n];\nconst DEFAULT_MESSAGES = {\n justNow: \"just now\",\n past: (n) => n.match(/\\d/) ? `${n} ago` : n,\n future: (n) => n.match(/\\d/) ? `in ${n}` : n,\n month: (n, past) => n === 1 ? past ? \"last month\" : \"next month\" : `${n} month${n > 1 ? \"s\" : \"\"}`,\n year: (n, past) => n === 1 ? past ? \"last year\" : \"next year\" : `${n} year${n > 1 ? \"s\" : \"\"}`,\n day: (n, past) => n === 1 ? past ? \"yesterday\" : \"tomorrow\" : `${n} day${n > 1 ? \"s\" : \"\"}`,\n week: (n, past) => n === 1 ? past ? \"last week\" : \"next week\" : `${n} week${n > 1 ? \"s\" : \"\"}`,\n hour: (n) => `${n} hour${n > 1 ? \"s\" : \"\"}`,\n minute: (n) => `${n} minute${n > 1 ? \"s\" : \"\"}`,\n second: (n) => `${n} second${n > 1 ? \"s\" : \"\"}`,\n invalid: \"\"\n};\nfunction DEFAULT_FORMATTER(date) {\n return date.toISOString().slice(0, 10);\n}\nfunction useTimeAgo(time, options = {}) {\n const {\n controls: exposeControls = false,\n updateInterval = 3e4\n } = options;\n const _a = useNow({ interval: updateInterval, controls: true }), { now } = _a, controls = __objRest(_a, [\"now\"]);\n const timeAgo = computed(() => formatTimeAgo(new Date(toValue(time)), options, toValue(now)));\n if (exposeControls) {\n return __spreadValues$2({\n timeAgo\n }, controls);\n } else {\n return timeAgo;\n }\n}\nfunction formatTimeAgo(from, options = {}, now = Date.now()) {\n var _a;\n const {\n max,\n messages = DEFAULT_MESSAGES,\n fullDateFormatter = DEFAULT_FORMATTER,\n units = DEFAULT_UNITS,\n showSecond = false,\n rounding = \"round\"\n } = options;\n const roundFn = typeof rounding === \"number\" ? (n) => +n.toFixed(rounding) : Math[rounding];\n const diff = +now - +from;\n const absDiff = Math.abs(diff);\n function getValue(diff2, unit) {\n return roundFn(Math.abs(diff2) / unit.value);\n }\n function format(diff2, unit) {\n const val = getValue(diff2, unit);\n const past = diff2 > 0;\n const str = applyFormat(unit.name, val, past);\n return applyFormat(past ? \"past\" : \"future\", str, past);\n }\n function applyFormat(name, val, isPast) {\n const formatter = messages[name];\n if (typeof formatter === \"function\")\n return formatter(val, isPast);\n return formatter.replace(\"{0}\", val.toString());\n }\n if (absDiff < 6e4 && !showSecond)\n return messages.justNow;\n if (typeof max === \"number\" && absDiff > max)\n return fullDateFormatter(new Date(from));\n if (typeof max === \"string\") {\n const unitMax = (_a = units.find((i) => i.name === max)) == null ? void 0 : _a.max;\n if (unitMax && absDiff > unitMax)\n return fullDateFormatter(new Date(from));\n }\n for (const [idx, unit] of units.entries()) {\n const val = getValue(diff, unit);\n if (val <= 0 && units[idx - 1])\n return format(diff, units[idx - 1]);\n if (absDiff < unit.max)\n return format(diff, unit);\n }\n return messages.invalid;\n}\n\nfunction useTimeoutPoll(fn, interval, timeoutPollOptions) {\n const { start } = useTimeoutFn(loop, interval, { immediate: false });\n const isActive = ref(false);\n async function loop() {\n if (!isActive.value)\n return;\n await fn();\n start();\n }\n function resume() {\n if (!isActive.value) {\n isActive.value = true;\n loop();\n }\n }\n function pause() {\n isActive.value = false;\n }\n if (timeoutPollOptions == null ? void 0 : timeoutPollOptions.immediate)\n resume();\n tryOnScopeDispose(pause);\n return {\n isActive,\n pause,\n resume\n };\n}\n\nvar __defProp$1 = Object.defineProperty;\nvar __getOwnPropSymbols$1 = Object.getOwnPropertySymbols;\nvar __hasOwnProp$1 = Object.prototype.hasOwnProperty;\nvar __propIsEnum$1 = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp$1 = (obj, key, value) => key in obj ? __defProp$1(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues$1 = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp$1.call(b, prop))\n __defNormalProp$1(a, prop, b[prop]);\n if (__getOwnPropSymbols$1)\n for (var prop of __getOwnPropSymbols$1(b)) {\n if (__propIsEnum$1.call(b, prop))\n __defNormalProp$1(a, prop, b[prop]);\n }\n return a;\n};\nfunction useTimestamp(options = {}) {\n const {\n controls: exposeControls = false,\n offset = 0,\n immediate = true,\n interval = \"requestAnimationFrame\",\n callback\n } = options;\n const ts = ref(timestamp() + offset);\n const update = () => ts.value = timestamp() + offset;\n const cb = callback ? () => {\n update();\n callback(ts.value);\n } : update;\n const controls = interval === \"requestAnimationFrame\" ? useRafFn(cb, { immediate }) : useIntervalFn(cb, interval, { immediate });\n if (exposeControls) {\n return __spreadValues$1({\n timestamp: ts\n }, controls);\n } else {\n return ts;\n }\n}\n\nfunction useTitle(newTitle = null, options = {}) {\n var _a, _b;\n const {\n document = defaultDocument\n } = options;\n const title = toRef((_a = newTitle != null ? newTitle : document == null ? void 0 : document.title) != null ? _a : null);\n const isReadonly = newTitle && typeof newTitle === \"function\";\n function format(t) {\n if (!(\"titleTemplate\" in options))\n return t;\n const template = options.titleTemplate || \"%s\";\n return typeof template === \"function\" ? template(t) : toValue(template).replace(/%s/g, t);\n }\n watch(\n title,\n (t, o) => {\n if (t !== o && document)\n document.title = format(typeof t === \"string\" ? t : \"\");\n },\n { immediate: true }\n );\n if (options.observe && !options.titleTemplate && document && !isReadonly) {\n useMutationObserver(\n (_b = document.head) == null ? void 0 : _b.querySelector(\"title\"),\n () => {\n if (document && document.title !== title.value)\n title.value = format(document.title);\n },\n { childList: true }\n );\n }\n return title;\n}\n\nvar __defProp = Object.defineProperty;\nvar __defProps = Object.defineProperties;\nvar __getOwnPropDescs = Object.getOwnPropertyDescriptors;\nvar __getOwnPropSymbols = Object.getOwnPropertySymbols;\nvar __hasOwnProp = Object.prototype.hasOwnProperty;\nvar __propIsEnum = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp = (obj, key, value) => key in obj ? __defProp(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp.call(b, prop))\n __defNormalProp(a, prop, b[prop]);\n if (__getOwnPropSymbols)\n for (var prop of __getOwnPropSymbols(b)) {\n if (__propIsEnum.call(b, prop))\n __defNormalProp(a, prop, b[prop]);\n }\n return a;\n};\nvar __spreadProps = (a, b) => __defProps(a, __getOwnPropDescs(b));\nconst _TransitionPresets = {\n easeInSine: [0.12, 0, 0.39, 0],\n easeOutSine: [0.61, 1, 0.88, 1],\n easeInOutSine: [0.37, 0, 0.63, 1],\n easeInQuad: [0.11, 0, 0.5, 0],\n easeOutQuad: [0.5, 1, 0.89, 1],\n easeInOutQuad: [0.45, 0, 0.55, 1],\n easeInCubic: [0.32, 0, 0.67, 0],\n easeOutCubic: [0.33, 1, 0.68, 1],\n easeInOutCubic: [0.65, 0, 0.35, 1],\n easeInQuart: [0.5, 0, 0.75, 0],\n easeOutQuart: [0.25, 1, 0.5, 1],\n easeInOutQuart: [0.76, 0, 0.24, 1],\n easeInQuint: [0.64, 0, 0.78, 0],\n easeOutQuint: [0.22, 1, 0.36, 1],\n easeInOutQuint: [0.83, 0, 0.17, 1],\n easeInExpo: [0.7, 0, 0.84, 0],\n easeOutExpo: [0.16, 1, 0.3, 1],\n easeInOutExpo: [0.87, 0, 0.13, 1],\n easeInCirc: [0.55, 0, 1, 0.45],\n easeOutCirc: [0, 0.55, 0.45, 1],\n easeInOutCirc: [0.85, 0, 0.15, 1],\n easeInBack: [0.36, 0, 0.66, -0.56],\n easeOutBack: [0.34, 1.56, 0.64, 1],\n easeInOutBack: [0.68, -0.6, 0.32, 1.6]\n};\nconst TransitionPresets = /* @__PURE__ */ Object.assign({}, { linear: identity }, _TransitionPresets);\nfunction createEasingFunction([p0, p1, p2, p3]) {\n const a = (a1, a2) => 1 - 3 * a2 + 3 * a1;\n const b = (a1, a2) => 3 * a2 - 6 * a1;\n const c = (a1) => 3 * a1;\n const calcBezier = (t, a1, a2) => ((a(a1, a2) * t + b(a1, a2)) * t + c(a1)) * t;\n const getSlope = (t, a1, a2) => 3 * a(a1, a2) * t * t + 2 * b(a1, a2) * t + c(a1);\n const getTforX = (x) => {\n let aGuessT = x;\n for (let i = 0; i < 4; ++i) {\n const currentSlope = getSlope(aGuessT, p0, p2);\n if (currentSlope === 0)\n return aGuessT;\n const currentX = calcBezier(aGuessT, p0, p2) - x;\n aGuessT -= currentX / currentSlope;\n }\n return aGuessT;\n };\n return (x) => p0 === p1 && p2 === p3 ? x : calcBezier(getTforX(x), p1, p3);\n}\nfunction lerp(a, b, alpha) {\n return a + alpha * (b - a);\n}\nfunction toVec(t) {\n return (typeof t === \"number\" ? [t] : t) || [];\n}\nfunction executeTransition(source, from, to, options = {}) {\n var _a, _b;\n const fromVal = toValue(from);\n const toVal = toValue(to);\n const v1 = toVec(fromVal);\n const v2 = toVec(toVal);\n const duration = (_a = toValue(options.duration)) != null ? _a : 1e3;\n const startedAt = Date.now();\n const endAt = Date.now() + duration;\n const trans = typeof options.transition === \"function\" ? options.transition : (_b = toValue(options.transition)) != null ? _b : identity;\n const ease = typeof trans === \"function\" ? trans : createEasingFunction(trans);\n return new Promise((resolve) => {\n source.value = fromVal;\n const tick = () => {\n var _a2;\n if ((_a2 = options.abort) == null ? void 0 : _a2.call(options)) {\n resolve();\n return;\n }\n const now = Date.now();\n const alpha = ease((now - startedAt) / duration);\n const arr = toVec(source.value).map((n, i) => lerp(v1[i], v2[i], alpha));\n if (Array.isArray(source.value))\n source.value = arr.map((n, i) => {\n var _a3, _b2;\n return lerp((_a3 = v1[i]) != null ? _a3 : 0, (_b2 = v2[i]) != null ? _b2 : 0, alpha);\n });\n else if (typeof source.value === \"number\")\n source.value = arr[0];\n if (now < endAt) {\n requestAnimationFrame(tick);\n } else {\n source.value = toVal;\n resolve();\n }\n };\n tick();\n });\n}\nfunction useTransition(source, options = {}) {\n let currentId = 0;\n const sourceVal = () => {\n const v = toValue(source);\n return typeof v === \"number\" ? v : v.map(toValue);\n };\n const outputRef = ref(sourceVal());\n watch(sourceVal, async (to) => {\n var _a, _b;\n if (toValue(options.disabled))\n return;\n const id = ++currentId;\n if (options.delay)\n await promiseTimeout(toValue(options.delay));\n if (id !== currentId)\n return;\n const toVal = Array.isArray(to) ? to.map(toValue) : toValue(to);\n (_a = options.onStarted) == null ? void 0 : _a.call(options);\n await executeTransition(outputRef, outputRef.value, toVal, __spreadProps(__spreadValues({}, options), {\n abort: () => {\n var _a2;\n return id !== currentId || ((_a2 = options.abort) == null ? void 0 : _a2.call(options));\n }\n }));\n (_b = options.onFinished) == null ? void 0 : _b.call(options);\n }, { deep: true });\n watch(() => toValue(options.disabled), (disabled) => {\n if (disabled) {\n currentId++;\n outputRef.value = sourceVal();\n }\n });\n tryOnScopeDispose(() => {\n currentId++;\n });\n return computed(() => toValue(options.disabled) ? sourceVal() : outputRef.value);\n}\n\nfunction useUrlSearchParams(mode = \"history\", options = {}) {\n const {\n initialValue = {},\n removeNullishValues = true,\n removeFalsyValues = false,\n write: enableWrite = true,\n window = defaultWindow\n } = options;\n if (!window)\n return reactive(initialValue);\n const state = reactive({});\n function getRawParams() {\n if (mode === \"history\") {\n return window.location.search || \"\";\n } else if (mode === \"hash\") {\n const hash = window.location.hash || \"\";\n const index = hash.indexOf(\"?\");\n return index > 0 ? hash.slice(index) : \"\";\n } else {\n return (window.location.hash || \"\").replace(/^#/, \"\");\n }\n }\n function constructQuery(params) {\n const stringified = params.toString();\n if (mode === \"history\")\n return `${stringified ? `?${stringified}` : \"\"}${window.location.hash || \"\"}`;\n if (mode === \"hash-params\")\n return `${window.location.search || \"\"}${stringified ? `#${stringified}` : \"\"}`;\n const hash = window.location.hash || \"#\";\n const index = hash.indexOf(\"?\");\n if (index > 0)\n return `${hash.slice(0, index)}${stringified ? `?${stringified}` : \"\"}`;\n return `${hash}${stringified ? `?${stringified}` : \"\"}`;\n }\n function read() {\n return new URLSearchParams(getRawParams());\n }\n function updateState(params) {\n const unusedKeys = new Set(Object.keys(state));\n for (const key of params.keys()) {\n const paramsForKey = params.getAll(key);\n state[key] = paramsForKey.length > 1 ? paramsForKey : params.get(key) || \"\";\n unusedKeys.delete(key);\n }\n Array.from(unusedKeys).forEach((key) => delete state[key]);\n }\n const { pause, resume } = pausableWatch(\n state,\n () => {\n const params = new URLSearchParams(\"\");\n Object.keys(state).forEach((key) => {\n const mapEntry = state[key];\n if (Array.isArray(mapEntry))\n mapEntry.forEach((value) => params.append(key, value));\n else if (removeNullishValues && mapEntry == null)\n params.delete(key);\n else if (removeFalsyValues && !mapEntry)\n params.delete(key);\n else\n params.set(key, mapEntry);\n });\n write(params);\n },\n { deep: true }\n );\n function write(params, shouldUpdate) {\n pause();\n if (shouldUpdate)\n updateState(params);\n window.history.replaceState(\n window.history.state,\n window.document.title,\n window.location.pathname + constructQuery(params)\n );\n resume();\n }\n function onChanged() {\n if (!enableWrite)\n return;\n write(read(), true);\n }\n useEventListener(window, \"popstate\", onChanged, false);\n if (mode !== \"history\")\n useEventListener(window, \"hashchange\", onChanged, false);\n const initial = read();\n if (initial.keys().next().value)\n updateState(initial);\n else\n Object.assign(state, initialValue);\n return state;\n}\n\nfunction useUserMedia(options = {}) {\n var _a, _b;\n const enabled = ref((_a = options.enabled) != null ? _a : false);\n const autoSwitch = ref((_b = options.autoSwitch) != null ? _b : true);\n const constraints = ref(options.constraints);\n const { navigator = defaultNavigator } = options;\n const isSupported = useSupported(() => {\n var _a2;\n return (_a2 = navigator == null ? void 0 : navigator.mediaDevices) == null ? void 0 : _a2.getUserMedia;\n });\n const stream = shallowRef();\n function getDeviceOptions(type) {\n switch (type) {\n case \"video\": {\n if (constraints.value)\n return constraints.value.video || false;\n break;\n }\n case \"audio\": {\n if (constraints.value)\n return constraints.value.audio || false;\n break;\n }\n }\n }\n async function _start() {\n if (!isSupported.value || stream.value)\n return;\n stream.value = await navigator.mediaDevices.getUserMedia({\n video: getDeviceOptions(\"video\"),\n audio: getDeviceOptions(\"audio\")\n });\n return stream.value;\n }\n function _stop() {\n var _a2;\n (_a2 = stream.value) == null ? void 0 : _a2.getTracks().forEach((t) => t.stop());\n stream.value = void 0;\n }\n function stop() {\n _stop();\n enabled.value = false;\n }\n async function start() {\n await _start();\n if (stream.value)\n enabled.value = true;\n return stream.value;\n }\n async function restart() {\n _stop();\n return await start();\n }\n watch(\n enabled,\n (v) => {\n if (v)\n _start();\n else\n _stop();\n },\n { immediate: true }\n );\n watch(\n constraints,\n () => {\n if (autoSwitch.value && stream.value)\n restart();\n },\n { immediate: true }\n );\n return {\n isSupported,\n stream,\n start,\n stop,\n restart,\n constraints,\n enabled,\n autoSwitch\n };\n}\n\nfunction useVModel(props, key, emit, options = {}) {\n var _a, _b, _c, _d, _e;\n const {\n clone = false,\n passive = false,\n eventName,\n deep = false,\n defaultValue,\n shouldEmit\n } = options;\n const vm = getCurrentInstance();\n const _emit = emit || (vm == null ? void 0 : vm.emit) || ((_a = vm == null ? void 0 : vm.$emit) == null ? void 0 : _a.bind(vm)) || ((_c = (_b = vm == null ? void 0 : vm.proxy) == null ? void 0 : _b.$emit) == null ? void 0 : _c.bind(vm == null ? void 0 : vm.proxy));\n let event = eventName;\n if (!key) {\n if (isVue2) {\n const modelOptions = (_e = (_d = vm == null ? void 0 : vm.proxy) == null ? void 0 : _d.$options) == null ? void 0 : _e.model;\n key = (modelOptions == null ? void 0 : modelOptions.value) || \"value\";\n if (!eventName)\n event = (modelOptions == null ? void 0 : modelOptions.event) || \"input\";\n } else {\n key = \"modelValue\";\n }\n }\n event = event || `update:${key.toString()}`;\n const cloneFn = (val) => !clone ? val : typeof clone === \"function\" ? clone(val) : cloneFnJSON(val);\n const getValue = () => isDef(props[key]) ? cloneFn(props[key]) : defaultValue;\n const triggerEmit = (value) => {\n if (shouldEmit) {\n if (shouldEmit(value))\n _emit(event, value);\n } else {\n _emit(event, value);\n }\n };\n if (passive) {\n const initialValue = getValue();\n const proxy = ref(initialValue);\n watch(\n () => props[key],\n (v) => proxy.value = cloneFn(v)\n );\n watch(\n proxy,\n (v) => {\n if (v !== props[key] || deep)\n triggerEmit(v);\n },\n { deep }\n );\n return proxy;\n } else {\n return computed({\n get() {\n return getValue();\n },\n set(value) {\n triggerEmit(value);\n }\n });\n }\n}\n\nfunction useVModels(props, emit, options = {}) {\n const ret = {};\n for (const key in props)\n ret[key] = useVModel(props, key, emit, options);\n return ret;\n}\n\nfunction useVibrate(options) {\n const {\n pattern = [],\n interval = 0,\n navigator = defaultNavigator\n } = options || {};\n const isSupported = useSupported(() => typeof navigator !== \"undefined\" && \"vibrate\" in navigator);\n const patternRef = toRef(pattern);\n let intervalControls;\n const vibrate = (pattern2 = patternRef.value) => {\n if (isSupported.value)\n navigator.vibrate(pattern2);\n };\n const stop = () => {\n if (isSupported.value)\n navigator.vibrate(0);\n intervalControls == null ? void 0 : intervalControls.pause();\n };\n if (interval > 0) {\n intervalControls = useIntervalFn(\n vibrate,\n interval,\n {\n immediate: false,\n immediateCallback: false\n }\n );\n }\n return {\n isSupported,\n pattern,\n intervalControls,\n vibrate,\n stop\n };\n}\n\nfunction useVirtualList(list, options) {\n const { containerStyle, wrapperProps, scrollTo, calculateRange, currentList, containerRef } = \"itemHeight\" in options ? useVerticalVirtualList(options, list) : useHorizontalVirtualList(options, list);\n return {\n list: currentList,\n scrollTo,\n containerProps: {\n ref: containerRef,\n onScroll: () => {\n calculateRange();\n },\n style: containerStyle\n },\n wrapperProps\n };\n}\nfunction useVirtualListResources(list) {\n const containerRef = ref(null);\n const size = useElementSize(containerRef);\n const currentList = ref([]);\n const source = shallowRef(list);\n const state = ref({ start: 0, end: 10 });\n return { state, source, currentList, size, containerRef };\n}\nfunction createGetViewCapacity(state, source, itemSize) {\n return (containerSize) => {\n if (typeof itemSize === \"number\")\n return Math.ceil(containerSize / itemSize);\n const { start = 0 } = state.value;\n let sum = 0;\n let capacity = 0;\n for (let i = start; i < source.value.length; i++) {\n const size = itemSize(i);\n sum += size;\n capacity = i;\n if (sum > containerSize)\n break;\n }\n return capacity - start;\n };\n}\nfunction createGetOffset(source, itemSize) {\n return (scrollDirection) => {\n if (typeof itemSize === \"number\")\n return Math.floor(scrollDirection / itemSize) + 1;\n let sum = 0;\n let offset = 0;\n for (let i = 0; i < source.value.length; i++) {\n const size = itemSize(i);\n sum += size;\n if (sum >= scrollDirection) {\n offset = i;\n break;\n }\n }\n return offset + 1;\n };\n}\nfunction createCalculateRange(type, overscan, getOffset, getViewCapacity, { containerRef, state, currentList, source }) {\n return () => {\n const element = containerRef.value;\n if (element) {\n const offset = getOffset(type === \"vertical\" ? element.scrollTop : element.scrollLeft);\n const viewCapacity = getViewCapacity(type === \"vertical\" ? element.clientHeight : element.clientWidth);\n const from = offset - overscan;\n const to = offset + viewCapacity + overscan;\n state.value = {\n start: from < 0 ? 0 : from,\n end: to > source.value.length ? source.value.length : to\n };\n currentList.value = source.value.slice(state.value.start, state.value.end).map((ele, index) => ({\n data: ele,\n index: index + state.value.start\n }));\n }\n };\n}\nfunction createGetDistance(itemSize, source) {\n return (index) => {\n if (typeof itemSize === \"number\") {\n const size2 = index * itemSize;\n return size2;\n }\n const size = source.value.slice(0, index).reduce((sum, _, i) => sum + itemSize(i), 0);\n return size;\n };\n}\nfunction useWatchForSizes(size, list, calculateRange) {\n watch([size.width, size.height, list], () => {\n calculateRange();\n });\n}\nfunction createComputedTotalSize(itemSize, source) {\n return computed(() => {\n if (typeof itemSize === \"number\")\n return source.value.length * itemSize;\n return source.value.reduce((sum, _, index) => sum + itemSize(index), 0);\n });\n}\nconst scrollToDictionaryForElementScrollKey = {\n horizontal: \"scrollLeft\",\n vertical: \"scrollTop\"\n};\nfunction createScrollTo(type, calculateRange, getDistance, containerRef) {\n return (index) => {\n if (containerRef.value) {\n containerRef.value[scrollToDictionaryForElementScrollKey[type]] = getDistance(index);\n calculateRange();\n }\n };\n}\nfunction useHorizontalVirtualList(options, list) {\n const resources = useVirtualListResources(list);\n const { state, source, currentList, size, containerRef } = resources;\n const containerStyle = { overflowX: \"auto\" };\n const { itemWidth, overscan = 5 } = options;\n const getViewCapacity = createGetViewCapacity(state, source, itemWidth);\n const getOffset = createGetOffset(source, itemWidth);\n const calculateRange = createCalculateRange(\"horizontal\", overscan, getOffset, getViewCapacity, resources);\n const getDistanceLeft = createGetDistance(itemWidth, source);\n const offsetLeft = computed(() => getDistanceLeft(state.value.start));\n const totalWidth = createComputedTotalSize(itemWidth, source);\n useWatchForSizes(size, list, calculateRange);\n const scrollTo = createScrollTo(\"horizontal\", calculateRange, getDistanceLeft, containerRef);\n const wrapperProps = computed(() => {\n return {\n style: {\n height: \"100%\",\n width: `${totalWidth.value - offsetLeft.value}px`,\n marginLeft: `${offsetLeft.value}px`,\n display: \"flex\"\n }\n };\n });\n return {\n scrollTo,\n calculateRange,\n wrapperProps,\n containerStyle,\n currentList,\n containerRef\n };\n}\nfunction useVerticalVirtualList(options, list) {\n const resources = useVirtualListResources(list);\n const { state, source, currentList, size, containerRef } = resources;\n const containerStyle = { overflowY: \"auto\" };\n const { itemHeight, overscan = 5 } = options;\n const getViewCapacity = createGetViewCapacity(state, source, itemHeight);\n const getOffset = createGetOffset(source, itemHeight);\n const calculateRange = createCalculateRange(\"vertical\", overscan, getOffset, getViewCapacity, resources);\n const getDistanceTop = createGetDistance(itemHeight, source);\n const offsetTop = computed(() => getDistanceTop(state.value.start));\n const totalHeight = createComputedTotalSize(itemHeight, source);\n useWatchForSizes(size, list, calculateRange);\n const scrollTo = createScrollTo(\"vertical\", calculateRange, getDistanceTop, containerRef);\n const wrapperProps = computed(() => {\n return {\n style: {\n width: \"100%\",\n height: `${totalHeight.value - offsetTop.value}px`,\n marginTop: `${offsetTop.value}px`\n }\n };\n });\n return {\n calculateRange,\n scrollTo,\n containerStyle,\n wrapperProps,\n currentList,\n containerRef\n };\n}\n\nfunction useWakeLock(options = {}) {\n const {\n navigator = defaultNavigator,\n document = defaultDocument\n } = options;\n let wakeLock;\n const isSupported = useSupported(() => navigator && \"wakeLock\" in navigator);\n const isActive = ref(false);\n async function onVisibilityChange() {\n if (!isSupported.value || !wakeLock)\n return;\n if (document && document.visibilityState === \"visible\")\n wakeLock = await navigator.wakeLock.request(\"screen\");\n isActive.value = !wakeLock.released;\n }\n if (document)\n useEventListener(document, \"visibilitychange\", onVisibilityChange, { passive: true });\n async function request(type) {\n if (!isSupported.value)\n return;\n wakeLock = await navigator.wakeLock.request(type);\n isActive.value = !wakeLock.released;\n }\n async function release() {\n if (!isSupported.value || !wakeLock)\n return;\n await wakeLock.release();\n isActive.value = !wakeLock.released;\n wakeLock = null;\n }\n return {\n isSupported,\n isActive,\n request,\n release\n };\n}\n\nfunction useWebNotification(defaultOptions = {}) {\n const {\n window = defaultWindow\n } = defaultOptions;\n const isSupported = useSupported(() => !!window && \"Notification\" in window);\n const notification = ref(null);\n const requestPermission = async () => {\n if (!isSupported.value)\n return;\n if (\"permission\" in Notification && Notification.permission !== \"denied\")\n await Notification.requestPermission();\n };\n const { on: onClick, trigger: clickTrigger } = createEventHook();\n const { on: onShow, trigger: showTrigger } = createEventHook();\n const { on: onError, trigger: errorTrigger } = createEventHook();\n const { on: onClose, trigger: closeTrigger } = createEventHook();\n const show = async (overrides) => {\n if (!isSupported.value)\n return;\n await requestPermission();\n const options = Object.assign({}, defaultOptions, overrides);\n notification.value = new Notification(options.title || \"\", options);\n notification.value.onclick = clickTrigger;\n notification.value.onshow = showTrigger;\n notification.value.onerror = errorTrigger;\n notification.value.onclose = closeTrigger;\n return notification.value;\n };\n const close = () => {\n if (notification.value)\n notification.value.close();\n notification.value = null;\n };\n tryOnMounted(async () => {\n if (isSupported.value)\n await requestPermission();\n });\n tryOnScopeDispose(close);\n if (isSupported.value && window) {\n const document = window.document;\n useEventListener(document, \"visibilitychange\", (e) => {\n e.preventDefault();\n if (document.visibilityState === \"visible\") {\n close();\n }\n });\n }\n return {\n isSupported,\n notification,\n show,\n close,\n onClick,\n onShow,\n onError,\n onClose\n };\n}\n\nconst DEFAULT_PING_MESSAGE = \"ping\";\nfunction resolveNestedOptions(options) {\n if (options === true)\n return {};\n return options;\n}\nfunction useWebSocket(url, options = {}) {\n const {\n onConnected,\n onDisconnected,\n onError,\n onMessage,\n immediate = true,\n autoClose = true,\n protocols = []\n } = options;\n const data = ref(null);\n const status = ref(\"CLOSED\");\n const wsRef = ref();\n const urlRef = toRef(url);\n let heartbeatPause;\n let heartbeatResume;\n let explicitlyClosed = false;\n let retried = 0;\n let bufferedData = [];\n let pongTimeoutWait;\n const close = (code = 1e3, reason) => {\n if (!wsRef.value)\n return;\n explicitlyClosed = true;\n heartbeatPause == null ? void 0 : heartbeatPause();\n wsRef.value.close(code, reason);\n };\n const _sendBuffer = () => {\n if (bufferedData.length && wsRef.value && status.value === \"OPEN\") {\n for (const buffer of bufferedData)\n wsRef.value.send(buffer);\n bufferedData = [];\n }\n };\n const resetHeartbeat = () => {\n clearTimeout(pongTimeoutWait);\n pongTimeoutWait = void 0;\n };\n const send = (data2, useBuffer = true) => {\n if (!wsRef.value || status.value !== \"OPEN\") {\n if (useBuffer)\n bufferedData.push(data2);\n return false;\n }\n _sendBuffer();\n wsRef.value.send(data2);\n return true;\n };\n const _init = () => {\n if (explicitlyClosed || typeof urlRef.value === \"undefined\")\n return;\n const ws = new WebSocket(urlRef.value, protocols);\n wsRef.value = ws;\n status.value = \"CONNECTING\";\n ws.onopen = () => {\n status.value = \"OPEN\";\n onConnected == null ? void 0 : onConnected(ws);\n heartbeatResume == null ? void 0 : heartbeatResume();\n _sendBuffer();\n };\n ws.onclose = (ev) => {\n status.value = \"CLOSED\";\n wsRef.value = void 0;\n onDisconnected == null ? void 0 : onDisconnected(ws, ev);\n if (!explicitlyClosed && options.autoReconnect) {\n const {\n retries = -1,\n delay = 1e3,\n onFailed\n } = resolveNestedOptions(options.autoReconnect);\n retried += 1;\n if (typeof retries === \"number\" && (retries < 0 || retried < retries))\n setTimeout(_init, delay);\n else if (typeof retries === \"function\" && retries())\n setTimeout(_init, delay);\n else\n onFailed == null ? void 0 : onFailed();\n }\n };\n ws.onerror = (e) => {\n onError == null ? void 0 : onError(ws, e);\n };\n ws.onmessage = (e) => {\n if (options.heartbeat) {\n resetHeartbeat();\n const {\n message = DEFAULT_PING_MESSAGE\n } = resolveNestedOptions(options.heartbeat);\n if (e.data === message)\n return;\n }\n data.value = e.data;\n onMessage == null ? void 0 : onMessage(ws, e);\n };\n };\n if (options.heartbeat) {\n const {\n message = DEFAULT_PING_MESSAGE,\n interval = 1e3,\n pongTimeout = 1e3\n } = resolveNestedOptions(options.heartbeat);\n const { pause, resume } = useIntervalFn(\n () => {\n send(message, false);\n if (pongTimeoutWait != null)\n return;\n pongTimeoutWait = setTimeout(() => {\n close();\n }, pongTimeout);\n },\n interval,\n { immediate: false }\n );\n heartbeatPause = pause;\n heartbeatResume = resume;\n }\n if (autoClose) {\n useEventListener(window, \"beforeunload\", () => close());\n tryOnScopeDispose(close);\n }\n const open = () => {\n close();\n explicitlyClosed = false;\n retried = 0;\n _init();\n };\n if (immediate)\n watch(urlRef, open, { immediate: true });\n return {\n data,\n status,\n close,\n send,\n open,\n ws: wsRef\n };\n}\n\nfunction useWebWorker(arg0, workerOptions, options) {\n const {\n window = defaultWindow\n } = options != null ? options : {};\n const data = ref(null);\n const worker = shallowRef();\n const post = (...args) => {\n if (!worker.value)\n return;\n worker.value.postMessage(...args);\n };\n const terminate = function terminate2() {\n if (!worker.value)\n return;\n worker.value.terminate();\n };\n if (window) {\n if (typeof arg0 === \"string\")\n worker.value = new Worker(arg0, workerOptions);\n else if (typeof arg0 === \"function\")\n worker.value = arg0();\n else\n worker.value = arg0;\n worker.value.onmessage = (e) => {\n data.value = e.data;\n };\n tryOnScopeDispose(() => {\n if (worker.value)\n worker.value.terminate();\n });\n }\n return {\n data,\n post,\n terminate,\n worker\n };\n}\n\nfunction jobRunner(userFunc) {\n return (e) => {\n const userFuncArgs = e.data[0];\n return Promise.resolve(userFunc.apply(void 0, userFuncArgs)).then((result) => {\n postMessage([\"SUCCESS\", result]);\n }).catch((error) => {\n postMessage([\"ERROR\", error]);\n });\n };\n}\n\nfunction depsParser(deps) {\n if (deps.length === 0)\n return \"\";\n const depsString = deps.map((dep) => `'${dep}'`).toString();\n return `importScripts(${depsString})`;\n}\n\nfunction createWorkerBlobUrl(fn, deps) {\n const blobCode = `${depsParser(deps)}; onmessage=(${jobRunner})(${fn})`;\n const blob = new Blob([blobCode], { type: \"text/javascript\" });\n const url = URL.createObjectURL(blob);\n return url;\n}\n\nfunction useWebWorkerFn(fn, options = {}) {\n const {\n dependencies = [],\n timeout,\n window = defaultWindow\n } = options;\n const worker = ref();\n const workerStatus = ref(\"PENDING\");\n const promise = ref({});\n const timeoutId = ref();\n const workerTerminate = (status = \"PENDING\") => {\n if (worker.value && worker.value._url && window) {\n worker.value.terminate();\n URL.revokeObjectURL(worker.value._url);\n promise.value = {};\n worker.value = void 0;\n window.clearTimeout(timeoutId.value);\n workerStatus.value = status;\n }\n };\n workerTerminate();\n tryOnScopeDispose(workerTerminate);\n const generateWorker = () => {\n const blobUrl = createWorkerBlobUrl(fn, dependencies);\n const newWorker = new Worker(blobUrl);\n newWorker._url = blobUrl;\n newWorker.onmessage = (e) => {\n const { resolve = () => {\n }, reject = () => {\n } } = promise.value;\n const [status, result] = e.data;\n switch (status) {\n case \"SUCCESS\":\n resolve(result);\n workerTerminate(status);\n break;\n default:\n reject(result);\n workerTerminate(\"ERROR\");\n break;\n }\n };\n newWorker.onerror = (e) => {\n const { reject = () => {\n } } = promise.value;\n reject(e);\n workerTerminate(\"ERROR\");\n };\n if (timeout) {\n timeoutId.value = setTimeout(\n () => workerTerminate(\"TIMEOUT_EXPIRED\"),\n timeout\n );\n }\n return newWorker;\n };\n const callWorker = (...fnArgs) => new Promise((resolve, reject) => {\n promise.value = {\n resolve,\n reject\n };\n worker.value && worker.value.postMessage([[...fnArgs]]);\n workerStatus.value = \"RUNNING\";\n });\n const workerFn = (...fnArgs) => {\n if (workerStatus.value === \"RUNNING\") {\n console.error(\n \"[useWebWorkerFn] You can only run one instance of the worker at a time.\"\n );\n return Promise.reject();\n }\n worker.value = generateWorker();\n return callWorker(...fnArgs);\n };\n return {\n workerFn,\n workerStatus,\n workerTerminate\n };\n}\n\nfunction useWindowFocus({ window = defaultWindow } = {}) {\n if (!window)\n return ref(false);\n const focused = ref(window.document.hasFocus());\n useEventListener(window, \"blur\", () => {\n focused.value = false;\n });\n useEventListener(window, \"focus\", () => {\n focused.value = true;\n });\n return focused;\n}\n\nfunction useWindowScroll({ window = defaultWindow } = {}) {\n if (!window) {\n return {\n x: ref(0),\n y: ref(0)\n };\n }\n const x = ref(window.scrollX);\n const y = ref(window.scrollY);\n useEventListener(\n window,\n \"scroll\",\n () => {\n x.value = window.scrollX;\n y.value = window.scrollY;\n },\n {\n capture: false,\n passive: true\n }\n );\n return { x, y };\n}\n\nfunction useWindowSize(options = {}) {\n const {\n window = defaultWindow,\n initialWidth = Infinity,\n initialHeight = Infinity,\n listenOrientation = true,\n includeScrollbar = true\n } = options;\n const width = ref(initialWidth);\n const height = ref(initialHeight);\n const update = () => {\n if (window) {\n if (includeScrollbar) {\n width.value = window.innerWidth;\n height.value = window.innerHeight;\n } else {\n width.value = window.document.documentElement.clientWidth;\n height.value = window.document.documentElement.clientHeight;\n }\n }\n };\n update();\n tryOnMounted(update);\n useEventListener(\"resize\", update, { passive: true });\n if (listenOrientation) {\n const matches = useMediaQuery(\"(orientation: portrait)\");\n watch(matches, () => update());\n }\n return { width, height };\n}\n\nexport { DefaultMagicKeysAliasMap, StorageSerializers, TransitionPresets, computedAsync as asyncComputed, breakpointsAntDesign, breakpointsBootstrapV5, breakpointsMasterCss, breakpointsQuasar, breakpointsSematic, breakpointsTailwind, breakpointsVuetify, cloneFnJSON, computedAsync, computedInject, createFetch, createReusableTemplate, createTemplatePromise, createUnrefFn, customStorageEventName, defaultDocument, defaultLocation, defaultNavigator, defaultWindow, executeTransition, formatTimeAgo, getSSRHandler, mapGamepadToXbox360Controller, onClickOutside, onKeyDown, onKeyPressed, onKeyStroke, onKeyUp, onLongPress, onStartTyping, setSSRHandler, templateRef, unrefElement, useActiveElement, useAnimate, useAsyncQueue, useAsyncState, useBase64, useBattery, useBluetooth, useBreakpoints, useBroadcastChannel, useBrowserLocation, useCached, useClipboard, useCloned, useColorMode, useConfirmDialog, useCssVar, useCurrentElement, useCycleList, useDark, useDebouncedRefHistory, useDeviceMotion, useDeviceOrientation, useDevicePixelRatio, useDevicesList, useDisplayMedia, useDocumentVisibility, useDraggable, useDropZone, useElementBounding, useElementByPoint, useElementHover, useElementSize, useElementVisibility, useEventBus, useEventListener, useEventSource, useEyeDropper, useFavicon, useFetch, useFileDialog, useFileSystemAccess, useFocus, useFocusWithin, useFps, useFullscreen, useGamepad, useGeolocation, useIdle, useImage, useInfiniteScroll, useIntersectionObserver, useKeyModifier, useLocalStorage, useMagicKeys, useManualRefHistory, useMediaControls, useMediaQuery, useMemoize, useMemory, useMounted, useMouse, useMouseInElement, useMousePressed, useMutationObserver, useNavigatorLanguage, useNetwork, useNow, useObjectUrl, useOffsetPagination, useOnline, usePageLeave, useParallax, useParentElement, usePerformanceObserver, usePermission, usePointer, usePointerLock, usePointerSwipe, usePreferredColorScheme, usePreferredContrast, usePreferredDark, usePreferredLanguages, usePreferredReducedMotion, usePrevious, useRafFn, useRefHistory, useResizeObserver, useScreenOrientation, useScreenSafeArea, useScriptTag, useScroll, useScrollLock, useSessionStorage, useShare, useSorted, useSpeechRecognition, useSpeechSynthesis, useStepper, useStorage, useStorageAsync, useStyleTag, useSupported, useSwipe, useTemplateRefsList, useTextDirection, useTextSelection, useTextareaAutosize, useThrottledRefHistory, useTimeAgo, useTimeoutPoll, useTimestamp, useTitle, useTransition, useUrlSearchParams, useUserMedia, useVModel, useVModels, useVibrate, useVirtualList, useWakeLock, useWebNotification, useWebSocket, useWebWorker, useWebWorkerFn, useWindowFocus, useWindowScroll, useWindowSize };\n","/**\n * @copyright Copyright (c) 2018 John Molakvoæ \n *\n * @author John Molakvoæ \n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see .\n *\n */\nconst e = (t) => {\n t.mounted ? Array.isArray(t.mounted) || (t.mounted = [t.mounted]) : t.mounted = [], t.mounted.push(function() {\n this.$el.setAttribute(\"data-v-cb95999\", \"\");\n });\n};\nexport {\n e as S\n};\n","/**\n * @copyright Copyright (c) 2022 John Molakvoæ \n *\n * @author John Molakvoæ \n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see .\n *\n */\nconst n = function() {\n return Object.assign(window, { _nc_focus_trap: window._nc_focus_trap || [] }), window._nc_focus_trap;\n};\nexport {\n n as g\n};\n","function getBasePlacement(placement) {\n return placement.split('-')[0];\n}\n\nfunction getAlignment(placement) {\n return placement.split('-')[1];\n}\n\nfunction getMainAxisFromPlacement(placement) {\n return ['top', 'bottom'].includes(getBasePlacement(placement)) ? 'x' : 'y';\n}\n\nfunction getLengthFromAxis(axis) {\n return axis === 'y' ? 'height' : 'width';\n}\n\nfunction computeCoordsFromPlacement(_ref) {\n let {\n reference,\n floating,\n placement\n } = _ref;\n const commonX = reference.x + reference.width / 2 - floating.width / 2;\n const commonY = reference.y + reference.height / 2 - floating.height / 2;\n let coords;\n\n switch (getBasePlacement(placement)) {\n case 'top':\n coords = {\n x: commonX,\n y: reference.y - floating.height\n };\n break;\n\n case 'bottom':\n coords = {\n x: commonX,\n y: reference.y + reference.height\n };\n break;\n\n case 'right':\n coords = {\n x: reference.x + reference.width,\n y: commonY\n };\n break;\n\n case 'left':\n coords = {\n x: reference.x - floating.width,\n y: commonY\n };\n break;\n\n default:\n coords = {\n x: reference.x,\n y: reference.y\n };\n }\n\n const mainAxis = getMainAxisFromPlacement(placement);\n const length = getLengthFromAxis(mainAxis);\n\n switch (getAlignment(placement)) {\n case 'start':\n coords[mainAxis] = coords[mainAxis] - (reference[length] / 2 - floating[length] / 2);\n break;\n\n case 'end':\n coords[mainAxis] = coords[mainAxis] + (reference[length] / 2 - floating[length] / 2);\n break;\n }\n\n return coords;\n}\n\nconst computePosition = async (reference, floating, config) => {\n const {\n placement = 'bottom',\n strategy = 'absolute',\n middleware = [],\n platform\n } = config;\n\n if (process.env.NODE_ENV !== \"production\") {\n if (platform == null) {\n console.error(['Floating UI: `platform` property was not passed to config. If you', 'want to use Floating UI on the web, install @floating-ui/dom', 'instead of the /core package. Otherwise, you can create your own', '`platform`: https://floating-ui.com/docs/platform'].join(' '));\n }\n\n if (middleware.filter(_ref => {\n let {\n name\n } = _ref;\n return name === 'autoPlacement' || name === 'flip';\n }).length > 1) {\n throw new Error(['Floating UI: duplicate `flip` and/or `autoPlacement`', 'middleware detected. This will lead to an infinite loop. Ensure only', 'one of either has been passed to the `middleware` array.'].join(' '));\n }\n }\n\n let rects = await platform.getElementRects({\n reference,\n floating,\n strategy\n });\n let {\n x,\n y\n } = computeCoordsFromPlacement({ ...rects,\n placement\n });\n let statefulPlacement = placement;\n let middlewareData = {};\n let _debug_loop_count_ = 0;\n\n for (let i = 0; i < middleware.length; i++) {\n if (process.env.NODE_ENV !== \"production\") {\n _debug_loop_count_++;\n\n if (_debug_loop_count_ > 100) {\n throw new Error(['Floating UI: The middleware lifecycle appears to be', 'running in an infinite loop. This is usually caused by a `reset`', 'continually being returned without a break condition.'].join(' '));\n }\n }\n\n const {\n name,\n fn\n } = middleware[i];\n const {\n x: nextX,\n y: nextY,\n data,\n reset\n } = await fn({\n x,\n y,\n initialPlacement: placement,\n placement: statefulPlacement,\n strategy,\n middlewareData,\n rects,\n platform,\n elements: {\n reference,\n floating\n }\n });\n x = nextX != null ? nextX : x;\n y = nextY != null ? nextY : y;\n middlewareData = { ...middlewareData,\n [name]: data != null ? data : {}\n };\n\n if (reset) {\n if (typeof reset === 'object') {\n if (reset.placement) {\n statefulPlacement = reset.placement;\n }\n\n if (reset.rects) {\n rects = reset.rects === true ? await platform.getElementRects({\n reference,\n floating,\n strategy\n }) : reset.rects;\n }\n\n ({\n x,\n y\n } = computeCoordsFromPlacement({ ...rects,\n placement: statefulPlacement\n }));\n }\n\n i = -1;\n continue;\n }\n }\n\n return {\n x,\n y,\n placement: statefulPlacement,\n strategy,\n middlewareData\n };\n};\n\nfunction expandPaddingObject(padding) {\n return {\n top: 0,\n right: 0,\n bottom: 0,\n left: 0,\n ...padding\n };\n}\n\nfunction getSideObjectFromPadding(padding) {\n return typeof padding !== 'number' ? expandPaddingObject(padding) : {\n top: padding,\n right: padding,\n bottom: padding,\n left: padding\n };\n}\n\nfunction rectToClientRect(rect) {\n return { ...rect,\n top: rect.y,\n left: rect.x,\n right: rect.x + rect.width,\n bottom: rect.y + rect.height\n };\n}\n\nasync function detectOverflow(middlewareArguments, options) {\n if (options === void 0) {\n options = {};\n }\n\n const {\n x,\n y,\n platform,\n rects,\n elements,\n strategy\n } = middlewareArguments;\n const {\n boundary = 'clippingParents',\n rootBoundary = 'viewport',\n elementContext = 'floating',\n altBoundary = false,\n padding = 0\n } = options;\n const paddingObject = getSideObjectFromPadding(padding);\n const altContext = elementContext === 'floating' ? 'reference' : 'floating';\n const element = elements[altBoundary ? altContext : elementContext];\n const clippingClientRect = await platform.getClippingClientRect({\n element: (await platform.isElement(element)) ? element : element.contextElement || (await platform.getDocumentElement({\n element: elements.floating\n })),\n boundary,\n rootBoundary\n });\n const elementClientRect = rectToClientRect(await platform.convertOffsetParentRelativeRectToViewportRelativeRect({\n rect: elementContext === 'floating' ? { ...rects.floating,\n x,\n y\n } : rects.reference,\n offsetParent: await platform.getOffsetParent({\n element: elements.floating\n }),\n strategy\n })); // positive = overflowing the clipping rect\n // 0 or negative = within the clipping rect\n\n return {\n top: clippingClientRect.top - elementClientRect.top + paddingObject.top,\n bottom: elementClientRect.bottom - clippingClientRect.bottom + paddingObject.bottom,\n left: clippingClientRect.left - elementClientRect.left + paddingObject.left,\n right: elementClientRect.right - clippingClientRect.right + paddingObject.right\n };\n}\n\nconst min = Math.min;\nconst max = Math.max;\n\nfunction within(min$1, value, max$1) {\n return max(min$1, min(value, max$1));\n}\n\nconst arrow = options => ({\n name: 'arrow',\n options,\n\n async fn(middlewareArguments) {\n // Since `element` is required, we don't Partial<> the type\n const {\n element,\n padding = 0\n } = options != null ? options : {};\n const {\n x,\n y,\n placement,\n rects,\n platform\n } = middlewareArguments;\n\n if (element == null) {\n if (process.env.NODE_ENV !== \"production\") {\n console.warn('Floating UI: No `element` was passed to the `arrow` middleware.');\n }\n\n return {};\n }\n\n const paddingObject = getSideObjectFromPadding(padding);\n const coords = {\n x,\n y\n };\n const basePlacement = getBasePlacement(placement);\n const axis = getMainAxisFromPlacement(basePlacement);\n const length = getLengthFromAxis(axis);\n const arrowDimensions = await platform.getDimensions({\n element\n });\n const minProp = axis === 'y' ? 'top' : 'left';\n const maxProp = axis === 'y' ? 'bottom' : 'right';\n const endDiff = rects.reference[length] + rects.reference[axis] - coords[axis] - rects.floating[length];\n const startDiff = coords[axis] - rects.reference[axis];\n const arrowOffsetParent = await platform.getOffsetParent({\n element\n });\n const clientSize = arrowOffsetParent ? axis === 'y' ? arrowOffsetParent.clientHeight || 0 : arrowOffsetParent.clientWidth || 0 : 0;\n const centerToReference = endDiff / 2 - startDiff / 2; // Make sure the arrow doesn't overflow the floating element if the center\n // point is outside of the floating element's bounds\n\n const min = paddingObject[minProp];\n const max = clientSize - arrowDimensions[length] - paddingObject[maxProp];\n const center = clientSize / 2 - arrowDimensions[length] / 2 + centerToReference;\n const offset = within(min, center, max);\n return {\n data: {\n [axis]: offset,\n centerOffset: center - offset\n }\n };\n }\n\n});\n\nconst hash$1 = {\n left: 'right',\n right: 'left',\n bottom: 'top',\n top: 'bottom'\n};\nfunction getOppositePlacement(placement) {\n return placement.replace(/left|right|bottom|top/g, matched => hash$1[matched]);\n}\n\nfunction getAlignmentSides(placement, rects) {\n const isStart = getAlignment(placement) === 'start';\n const mainAxis = getMainAxisFromPlacement(placement);\n const length = getLengthFromAxis(mainAxis);\n let mainAlignmentSide = mainAxis === 'x' ? isStart ? 'right' : 'left' : isStart ? 'bottom' : 'top';\n\n if (rects.reference[length] > rects.floating[length]) {\n mainAlignmentSide = getOppositePlacement(mainAlignmentSide);\n }\n\n return {\n main: mainAlignmentSide,\n cross: getOppositePlacement(mainAlignmentSide)\n };\n}\n\nconst hash = {\n start: 'end',\n end: 'start'\n};\nfunction getOppositeAlignmentPlacement(placement) {\n return placement.replace(/start|end/g, matched => hash[matched]);\n}\n\nconst basePlacements = ['top', 'right', 'bottom', 'left'];\nconst allPlacements = /*#__PURE__*/basePlacements.reduce((acc, basePlacement) => acc.concat(basePlacement, basePlacement + \"-start\", basePlacement + \"-end\"), []);\n\nfunction getPlacementList(alignment, autoAlignment, allowedPlacements) {\n const allowedPlacementsSortedByAlignment = alignment ? [...allowedPlacements.filter(placement => getAlignment(placement) === alignment), ...allowedPlacements.filter(placement => getAlignment(placement) !== alignment)] : allowedPlacements.filter(placement => getBasePlacement(placement) === placement);\n return allowedPlacementsSortedByAlignment.filter(placement => {\n if (alignment) {\n return getAlignment(placement) === alignment || (autoAlignment ? getOppositeAlignmentPlacement(placement) !== placement : false);\n }\n\n return true;\n });\n}\nconst autoPlacement = function (options) {\n if (options === void 0) {\n options = {};\n }\n\n return {\n name: 'autoPlacement',\n options,\n\n async fn(middlewareArguments) {\n var _middlewareData$autoP, _middlewareData$autoP2, _middlewareData$autoP3, _middlewareData$autoP4, _middlewareData$autoP5, _placementsSortedByLe;\n\n const {\n x,\n y,\n rects,\n middlewareData,\n placement\n } = middlewareArguments;\n const {\n alignment = null,\n allowedPlacements = allPlacements,\n autoAlignment = true,\n ...detectOverflowOptions\n } = options;\n\n if ((_middlewareData$autoP = middlewareData.autoPlacement) != null && _middlewareData$autoP.skip) {\n return {};\n }\n\n const placements = getPlacementList(alignment, autoAlignment, allowedPlacements);\n const overflow = await detectOverflow(middlewareArguments, detectOverflowOptions);\n const currentIndex = (_middlewareData$autoP2 = (_middlewareData$autoP3 = middlewareData.autoPlacement) == null ? void 0 : _middlewareData$autoP3.index) != null ? _middlewareData$autoP2 : 0;\n const currentPlacement = placements[currentIndex];\n const {\n main,\n cross\n } = getAlignmentSides(currentPlacement, rects); // Make `computeCoords` start from the right place\n\n if (placement !== currentPlacement) {\n return {\n x,\n y,\n reset: {\n placement: placements[0]\n }\n };\n }\n\n const currentOverflows = [overflow[getBasePlacement(currentPlacement)], overflow[main], overflow[cross]];\n const allOverflows = [...((_middlewareData$autoP4 = (_middlewareData$autoP5 = middlewareData.autoPlacement) == null ? void 0 : _middlewareData$autoP5.overflows) != null ? _middlewareData$autoP4 : []), {\n placement: currentPlacement,\n overflows: currentOverflows\n }];\n const nextPlacement = placements[currentIndex + 1]; // There are more placements to check\n\n if (nextPlacement) {\n return {\n data: {\n index: currentIndex + 1,\n overflows: allOverflows\n },\n reset: {\n placement: nextPlacement\n }\n };\n }\n\n const placementsSortedByLeastOverflow = allOverflows.slice().sort((a, b) => a.overflows[0] - b.overflows[0]);\n const placementThatFitsOnAllSides = (_placementsSortedByLe = placementsSortedByLeastOverflow.find(_ref => {\n let {\n overflows\n } = _ref;\n return overflows.every(overflow => overflow <= 0);\n })) == null ? void 0 : _placementsSortedByLe.placement;\n return {\n data: {\n skip: true\n },\n reset: {\n placement: placementThatFitsOnAllSides != null ? placementThatFitsOnAllSides : placementsSortedByLeastOverflow[0].placement\n }\n };\n }\n\n };\n};\n\nfunction getExpandedPlacements(placement) {\n const oppositePlacement = getOppositePlacement(placement);\n return [getOppositeAlignmentPlacement(placement), oppositePlacement, getOppositeAlignmentPlacement(oppositePlacement)];\n}\n\nconst flip = function (options) {\n if (options === void 0) {\n options = {};\n }\n\n return {\n name: 'flip',\n options,\n\n async fn(middlewareArguments) {\n var _middlewareData$flip, _middlewareData$flip2;\n\n const {\n placement,\n middlewareData,\n rects,\n initialPlacement\n } = middlewareArguments;\n\n if ((_middlewareData$flip = middlewareData.flip) != null && _middlewareData$flip.skip) {\n return {};\n }\n\n const {\n mainAxis: checkMainAxis = true,\n crossAxis: checkCrossAxis = true,\n fallbackPlacements: specifiedFallbackPlacements,\n fallbackStrategy = 'bestFit',\n flipAlignment = true,\n ...detectOverflowOptions\n } = options;\n const basePlacement = getBasePlacement(placement);\n const isBasePlacement = basePlacement === initialPlacement;\n const fallbackPlacements = specifiedFallbackPlacements || (isBasePlacement || !flipAlignment ? [getOppositePlacement(initialPlacement)] : getExpandedPlacements(initialPlacement));\n const placements = [initialPlacement, ...fallbackPlacements];\n const overflow = await detectOverflow(middlewareArguments, detectOverflowOptions);\n const overflows = [];\n let overflowsData = ((_middlewareData$flip2 = middlewareData.flip) == null ? void 0 : _middlewareData$flip2.overflows) || [];\n\n if (checkMainAxis) {\n overflows.push(overflow[basePlacement]);\n }\n\n if (checkCrossAxis) {\n const {\n main,\n cross\n } = getAlignmentSides(placement, rects);\n overflows.push(overflow[main], overflow[cross]);\n }\n\n overflowsData = [...overflowsData, {\n placement,\n overflows\n }]; // One or more sides is overflowing\n\n if (!overflows.every(side => side <= 0)) {\n var _middlewareData$flip$, _middlewareData$flip3;\n\n const nextIndex = ((_middlewareData$flip$ = (_middlewareData$flip3 = middlewareData.flip) == null ? void 0 : _middlewareData$flip3.index) != null ? _middlewareData$flip$ : 0) + 1;\n const nextPlacement = placements[nextIndex];\n\n if (nextPlacement) {\n // Try next placement and re-run the lifecycle\n return {\n data: {\n index: nextIndex,\n overflows: overflowsData\n },\n reset: {\n placement: nextPlacement\n }\n };\n }\n\n let resetPlacement = 'bottom';\n\n switch (fallbackStrategy) {\n case 'bestFit':\n {\n var _overflowsData$slice$;\n\n const placement = (_overflowsData$slice$ = overflowsData.slice().sort((a, b) => a.overflows.filter(overflow => overflow > 0).reduce((acc, overflow) => acc + overflow, 0) - b.overflows.filter(overflow => overflow > 0).reduce((acc, overflow) => acc + overflow, 0))[0]) == null ? void 0 : _overflowsData$slice$.placement;\n\n if (placement) {\n resetPlacement = placement;\n }\n\n break;\n }\n\n case 'initialPlacement':\n resetPlacement = initialPlacement;\n break;\n }\n\n return {\n data: {\n skip: true\n },\n reset: {\n placement: resetPlacement\n }\n };\n }\n\n return {};\n }\n\n };\n};\n\nfunction getSideOffsets(overflow, rect) {\n return {\n top: overflow.top - rect.height,\n right: overflow.right - rect.width,\n bottom: overflow.bottom - rect.height,\n left: overflow.left - rect.width\n };\n}\n\nfunction isAnySideFullyClipped(overflow) {\n return basePlacements.some(side => overflow[side] >= 0);\n}\n\nconst hide = () => ({\n name: 'hide',\n\n async fn(modifierArguments) {\n const referenceOverflow = await detectOverflow(modifierArguments, {\n elementContext: 'reference'\n });\n const floatingAltOverflow = await detectOverflow(modifierArguments, {\n altBoundary: true\n });\n const referenceHiddenOffsets = getSideOffsets(referenceOverflow, modifierArguments.rects.reference);\n const escapedOffsets = getSideOffsets(floatingAltOverflow, modifierArguments.rects.floating);\n const referenceHidden = isAnySideFullyClipped(referenceHiddenOffsets);\n const escaped = isAnySideFullyClipped(escapedOffsets);\n return {\n data: {\n referenceHidden,\n referenceHiddenOffsets,\n escaped,\n escapedOffsets\n }\n };\n }\n\n});\n\nfunction convertValueToCoords(_ref) {\n let {\n placement,\n rects,\n value\n } = _ref;\n const basePlacement = getBasePlacement(placement);\n const multiplier = ['left', 'top'].includes(basePlacement) ? -1 : 1;\n const rawValue = typeof value === 'function' ? value({ ...rects,\n placement\n }) : value;\n const {\n mainAxis,\n crossAxis\n } = typeof rawValue === 'number' ? {\n mainAxis: rawValue,\n crossAxis: 0\n } : {\n mainAxis: 0,\n crossAxis: 0,\n ...rawValue\n };\n return getMainAxisFromPlacement(basePlacement) === 'x' ? {\n x: crossAxis,\n y: mainAxis * multiplier\n } : {\n x: mainAxis * multiplier,\n y: crossAxis\n };\n}\nconst offset = function (value) {\n if (value === void 0) {\n value = 0;\n }\n\n return {\n name: 'offset',\n options: value,\n\n fn(middlewareArguments) {\n const {\n x,\n y,\n placement,\n rects\n } = middlewareArguments;\n const diffCoords = convertValueToCoords({\n placement,\n rects,\n value\n });\n return {\n x: x + diffCoords.x,\n y: y + diffCoords.y,\n data: diffCoords\n };\n }\n\n };\n};\n\nfunction getCrossAxis(axis) {\n return axis === 'x' ? 'y' : 'x';\n}\n\nconst shift = function (options) {\n if (options === void 0) {\n options = {};\n }\n\n return {\n name: 'shift',\n options,\n\n async fn(middlewareArguments) {\n const {\n x,\n y,\n placement\n } = middlewareArguments;\n const {\n mainAxis: checkMainAxis = true,\n crossAxis: checkCrossAxis = false,\n limiter = {\n fn: _ref => {\n let {\n x,\n y\n } = _ref;\n return {\n x,\n y\n };\n }\n },\n ...detectOverflowOptions\n } = options;\n const coords = {\n x,\n y\n };\n const overflow = await detectOverflow(middlewareArguments, detectOverflowOptions);\n const mainAxis = getMainAxisFromPlacement(getBasePlacement(placement));\n const crossAxis = getCrossAxis(mainAxis);\n let mainAxisCoord = coords[mainAxis];\n let crossAxisCoord = coords[crossAxis];\n\n if (checkMainAxis) {\n const minSide = mainAxis === 'y' ? 'top' : 'left';\n const maxSide = mainAxis === 'y' ? 'bottom' : 'right';\n const min = mainAxisCoord + overflow[minSide];\n const max = mainAxisCoord - overflow[maxSide];\n mainAxisCoord = within(min, mainAxisCoord, max);\n }\n\n if (checkCrossAxis) {\n const minSide = crossAxis === 'y' ? 'top' : 'left';\n const maxSide = crossAxis === 'y' ? 'bottom' : 'right';\n const min = crossAxisCoord + overflow[minSide];\n const max = crossAxisCoord - overflow[maxSide];\n crossAxisCoord = within(min, crossAxisCoord, max);\n }\n\n const limitedCoords = limiter.fn({ ...middlewareArguments,\n [mainAxis]: mainAxisCoord,\n [crossAxis]: crossAxisCoord\n });\n return { ...limitedCoords,\n data: {\n x: limitedCoords.x - x,\n y: limitedCoords.y - y\n }\n };\n }\n\n };\n};\nconst limitShift = function (options) {\n if (options === void 0) {\n options = {};\n }\n\n return {\n options,\n\n fn(middlewareArguments) {\n const {\n x,\n y,\n placement,\n rects,\n middlewareData\n } = middlewareArguments;\n const {\n offset = 0,\n mainAxis: checkMainAxis = true,\n crossAxis: checkCrossAxis = true\n } = options;\n const coords = {\n x,\n y\n };\n const mainAxis = getMainAxisFromPlacement(placement);\n const crossAxis = getCrossAxis(mainAxis);\n let mainAxisCoord = coords[mainAxis];\n let crossAxisCoord = coords[crossAxis];\n const rawOffset = typeof offset === 'function' ? offset({ ...rects,\n placement\n }) : offset;\n const computedOffset = typeof rawOffset === 'number' ? {\n mainAxis: rawOffset,\n crossAxis: 0\n } : {\n mainAxis: 0,\n crossAxis: 0,\n ...rawOffset\n };\n\n if (checkMainAxis) {\n const len = mainAxis === 'y' ? 'height' : 'width';\n const limitMin = rects.reference[mainAxis] - rects.floating[len] + computedOffset.mainAxis;\n const limitMax = rects.reference[mainAxis] + rects.reference[len] - computedOffset.mainAxis;\n\n if (mainAxisCoord < limitMin) {\n mainAxisCoord = limitMin;\n } else if (mainAxisCoord > limitMax) {\n mainAxisCoord = limitMax;\n }\n }\n\n if (checkCrossAxis) {\n var _middlewareData$offse, _middlewareData$offse2, _middlewareData$offse3, _middlewareData$offse4;\n\n const len = mainAxis === 'y' ? 'width' : 'height';\n const isOriginSide = ['top', 'left'].includes(getBasePlacement(placement));\n const limitMin = rects.reference[crossAxis] - rects.floating[len] + (isOriginSide ? (_middlewareData$offse = (_middlewareData$offse2 = middlewareData.offset) == null ? void 0 : _middlewareData$offse2[crossAxis]) != null ? _middlewareData$offse : 0 : 0) + (isOriginSide ? 0 : computedOffset.crossAxis);\n const limitMax = rects.reference[crossAxis] + rects.reference[len] + (isOriginSide ? 0 : (_middlewareData$offse3 = (_middlewareData$offse4 = middlewareData.offset) == null ? void 0 : _middlewareData$offse4[crossAxis]) != null ? _middlewareData$offse3 : 0) - (isOriginSide ? computedOffset.crossAxis : 0);\n\n if (crossAxisCoord < limitMin) {\n crossAxisCoord = limitMin;\n } else if (crossAxisCoord > limitMax) {\n crossAxisCoord = limitMax;\n }\n }\n\n return {\n [mainAxis]: mainAxisCoord,\n [crossAxis]: crossAxisCoord\n };\n }\n\n };\n};\n\nconst size = function (options) {\n if (options === void 0) {\n options = {};\n }\n\n return {\n name: 'size',\n options,\n\n async fn(middlewareArguments) {\n var _middlewareData$size;\n\n const {\n placement,\n rects,\n middlewareData\n } = middlewareArguments;\n const {\n apply,\n ...detectOverflowOptions\n } = options;\n\n if ((_middlewareData$size = middlewareData.size) != null && _middlewareData$size.skip) {\n return {};\n }\n\n const overflow = await detectOverflow(middlewareArguments, detectOverflowOptions);\n const basePlacement = getBasePlacement(placement);\n const isEnd = getAlignment(placement) === 'end';\n let heightSide;\n let widthSide;\n\n if (basePlacement === 'top' || basePlacement === 'bottom') {\n heightSide = basePlacement;\n widthSide = isEnd ? 'left' : 'right';\n } else {\n widthSide = basePlacement;\n heightSide = isEnd ? 'top' : 'bottom';\n }\n\n const xMin = max(overflow.left, 0);\n const xMax = max(overflow.right, 0);\n const yMin = max(overflow.top, 0);\n const yMax = max(overflow.bottom, 0);\n const dimensions = {\n height: rects.floating.height - (['left', 'right'].includes(placement) ? 2 * (yMin !== 0 || yMax !== 0 ? yMin + yMax : max(overflow.top, overflow.bottom)) : overflow[heightSide]),\n width: rects.floating.width - (['top', 'bottom'].includes(placement) ? 2 * (xMin !== 0 || xMax !== 0 ? xMin + xMax : max(overflow.left, overflow.right)) : overflow[widthSide])\n };\n apply == null ? void 0 : apply({ ...dimensions,\n ...rects\n });\n return {\n data: {\n skip: true\n },\n reset: {\n rects: true\n }\n };\n }\n\n };\n};\n\nconst inline = function (options) {\n if (options === void 0) {\n options = {};\n }\n\n return {\n name: 'inline',\n options,\n\n async fn(middlewareArguments) {\n var _middlewareData$inlin, _await$platform$getCl;\n\n const {\n placement,\n elements,\n rects,\n platform,\n strategy,\n middlewareData\n } = middlewareArguments; // A MouseEvent's client{X,Y} coords can be up to 2 pixels off a\n // ClientRect's bounds, despite the event listener being triggered. A\n // padding of 2 seems to handle this issue.\n\n const {\n padding = 2,\n x,\n y\n } = options;\n\n if ((_middlewareData$inlin = middlewareData.inline) != null && _middlewareData$inlin.skip) {\n return {};\n }\n\n const fallback = rectToClientRect(await platform.convertOffsetParentRelativeRectToViewportRelativeRect({\n rect: rects.reference,\n offsetParent: await platform.getOffsetParent({\n element: elements.floating\n }),\n strategy\n }));\n const clientRects = Array.from((_await$platform$getCl = await (platform.getClientRects == null ? void 0 : platform.getClientRects({\n element: elements.reference\n }))) != null ? _await$platform$getCl : []);\n const paddingObject = getSideObjectFromPadding(padding);\n\n function getBoundingClientRect() {\n // There are two rects and they are disjoined\n if (clientRects.length === 2 && clientRects[0].left > clientRects[1].right && x != null && y != null) {\n var _clientRects$find;\n\n // Find the first rect in which the point is fully inside\n return (_clientRects$find = clientRects.find(rect => x > rect.left - paddingObject.left && x < rect.right + paddingObject.right && y > rect.top - paddingObject.top && y < rect.bottom + paddingObject.bottom)) != null ? _clientRects$find : fallback;\n } // There are 2 or more connected rects\n\n\n if (clientRects.length >= 2) {\n if (getMainAxisFromPlacement(placement) === 'x') {\n const firstRect = clientRects[0];\n const lastRect = clientRects[clientRects.length - 1];\n const isTop = getBasePlacement(placement) === 'top';\n const top = firstRect.top;\n const bottom = lastRect.bottom;\n const left = isTop ? firstRect.left : lastRect.left;\n const right = isTop ? firstRect.right : lastRect.right;\n const width = right - left;\n const height = bottom - top;\n return {\n top,\n bottom,\n left,\n right,\n width,\n height,\n x: left,\n y: top\n };\n }\n\n const isLeftPlacement = getBasePlacement(placement) === 'left';\n const maxRight = max(...clientRects.map(rect => rect.right));\n const minLeft = min(...clientRects.map(rect => rect.left));\n const measureRects = clientRects.filter(rect => isLeftPlacement ? rect.left === minLeft : rect.right === maxRight);\n const top = measureRects[0].top;\n const bottom = measureRects[measureRects.length - 1].bottom;\n const left = minLeft;\n const right = maxRight;\n const width = right - left;\n const height = bottom - top;\n return {\n top,\n bottom,\n left,\n right,\n width,\n height,\n x: left,\n y: top\n };\n }\n\n return fallback;\n }\n\n return {\n data: {\n skip: true\n },\n reset: {\n rects: await platform.getElementRects({\n reference: {\n getBoundingClientRect\n },\n floating: elements.floating,\n strategy\n })\n }\n };\n }\n\n };\n};\n\nexport { arrow, autoPlacement, computePosition, detectOverflow, flip, hide, inline, limitShift, offset, rectToClientRect, shift, size };\n","import { rectToClientRect, computePosition as computePosition$1 } from '@floating-ui/core';\nexport { arrow, autoPlacement, detectOverflow, flip, hide, inline, limitShift, offset, shift, size } from '@floating-ui/core';\n\nfunction isWindow(value) {\n return (value == null ? void 0 : value.toString()) === '[object Window]';\n}\nfunction getWindow(node) {\n if (node == null) {\n return window;\n }\n\n if (!isWindow(node)) {\n const ownerDocument = node.ownerDocument;\n return ownerDocument ? ownerDocument.defaultView || window : window;\n }\n\n return node;\n}\n\nfunction getComputedStyle$1(element) {\n return getWindow(element).getComputedStyle(element);\n}\n\nfunction getNodeName(node) {\n return isWindow(node) ? '' : node ? (node.nodeName || '').toLowerCase() : '';\n}\n\nfunction isHTMLElement(value) {\n return value instanceof getWindow(value).HTMLElement;\n}\nfunction isElement(value) {\n return value instanceof getWindow(value).Element;\n}\nfunction isNode(value) {\n return value instanceof getWindow(value).Node;\n}\nfunction isShadowRoot(node) {\n const OwnElement = getWindow(node).ShadowRoot;\n return node instanceof OwnElement || node instanceof ShadowRoot;\n}\nfunction isScrollParent(element) {\n // Firefox wants us to check `-x` and `-y` variations as well\n const {\n overflow,\n overflowX,\n overflowY\n } = getComputedStyle$1(element);\n return /auto|scroll|overlay|hidden/.test(overflow + overflowY + overflowX);\n}\nfunction isTableElement(element) {\n return ['table', 'td', 'th'].includes(getNodeName(element));\n}\nfunction isContainingBlock(element) {\n // TODO: Try and use feature detection here instead\n const isFirefox = navigator.userAgent.toLowerCase().includes('firefox');\n const css = getComputedStyle$1(element); // This is non-exhaustive but covers the most common CSS properties that\n // create a containing block.\n // https://developer.mozilla.org/en-US/docs/Web/CSS/Containing_block#identifying_the_containing_block\n\n return css.transform !== 'none' || css.perspective !== 'none' || css.contain === 'paint' || ['transform', 'perspective'].includes(css.willChange) || isFirefox && css.willChange === 'filter' || isFirefox && (css.filter ? css.filter !== 'none' : false);\n}\n\nconst min = Math.min;\nconst max = Math.max;\nconst round = Math.round;\n\nfunction getBoundingClientRect(element, includeScale) {\n if (includeScale === void 0) {\n includeScale = false;\n }\n\n const clientRect = element.getBoundingClientRect();\n let scaleX = 1;\n let scaleY = 1;\n\n if (includeScale && isHTMLElement(element)) {\n scaleX = element.offsetWidth > 0 ? round(clientRect.width) / element.offsetWidth || 1 : 1;\n scaleY = element.offsetHeight > 0 ? round(clientRect.height) / element.offsetHeight || 1 : 1;\n }\n\n return {\n width: clientRect.width / scaleX,\n height: clientRect.height / scaleY,\n top: clientRect.top / scaleY,\n right: clientRect.right / scaleX,\n bottom: clientRect.bottom / scaleY,\n left: clientRect.left / scaleX,\n x: clientRect.left / scaleX,\n y: clientRect.top / scaleY\n };\n}\n\nfunction getDocumentElement(node) {\n return ((isNode(node) ? node.ownerDocument : node.document) || window.document).documentElement;\n}\n\nfunction getNodeScroll(element) {\n if (isWindow(element)) {\n return {\n scrollLeft: element.pageXOffset,\n scrollTop: element.pageYOffset\n };\n }\n\n return {\n scrollLeft: element.scrollLeft,\n scrollTop: element.scrollTop\n };\n}\n\nfunction getWindowScrollBarX(element) {\n // If has a CSS width greater than the viewport, then this will be\n // incorrect for RTL.\n return getBoundingClientRect(getDocumentElement(element)).left + getNodeScroll(element).scrollLeft;\n}\n\nfunction isScaled(element) {\n const rect = getBoundingClientRect(element);\n return round(rect.width) !== element.offsetWidth || round(rect.height) !== element.offsetHeight;\n}\n\nfunction getRectRelativeToOffsetParent(element, offsetParent, strategy) {\n const isOffsetParentAnElement = isHTMLElement(offsetParent);\n const documentElement = getDocumentElement(offsetParent);\n const rect = getBoundingClientRect(element, isOffsetParentAnElement && isScaled(offsetParent));\n let scroll = {\n scrollLeft: 0,\n scrollTop: 0\n };\n const offsets = {\n x: 0,\n y: 0\n };\n\n if (isOffsetParentAnElement || !isOffsetParentAnElement && strategy !== 'fixed') {\n if (getNodeName(offsetParent) !== 'body' || isScrollParent(documentElement)) {\n scroll = getNodeScroll(offsetParent);\n }\n\n if (isHTMLElement(offsetParent)) {\n const offsetRect = getBoundingClientRect(offsetParent, true);\n offsets.x = offsetRect.x + offsetParent.clientLeft;\n offsets.y = offsetRect.y + offsetParent.clientTop;\n } else if (documentElement) {\n offsets.x = getWindowScrollBarX(documentElement);\n }\n }\n\n return {\n x: rect.left + scroll.scrollLeft - offsets.x,\n y: rect.top + scroll.scrollTop - offsets.y,\n width: rect.width,\n height: rect.height\n };\n}\n\nfunction getParentNode(node) {\n if (getNodeName(node) === 'html') {\n return node;\n }\n\n return (// this is a quicker (but less type safe) way to save quite some bytes from the bundle\n // @ts-ignore\n node.assignedSlot || // step into the shadow DOM of the parent of a slotted node\n node.parentNode || ( // DOM Element detected\n isShadowRoot(node) ? node.host : null) || // ShadowRoot detected\n getDocumentElement(node) // fallback\n\n );\n}\n\nfunction getTrueOffsetParent(element) {\n if (!isHTMLElement(element) || getComputedStyle(element).position === 'fixed') {\n return null;\n }\n\n return element.offsetParent;\n}\n\nfunction getContainingBlock(element) {\n let currentNode = getParentNode(element);\n\n while (isHTMLElement(currentNode) && !['html', 'body'].includes(getNodeName(currentNode))) {\n if (isContainingBlock(currentNode)) {\n return currentNode;\n } else {\n currentNode = currentNode.parentNode;\n }\n }\n\n return null;\n} // Gets the closest ancestor positioned element. Handles some edge cases,\n// such as table ancestors and cross browser bugs.\n\n\nfunction getOffsetParent(element) {\n const window = getWindow(element);\n let offsetParent = getTrueOffsetParent(element);\n\n while (offsetParent && isTableElement(offsetParent) && getComputedStyle(offsetParent).position === 'static') {\n offsetParent = getTrueOffsetParent(offsetParent);\n }\n\n if (offsetParent && (getNodeName(offsetParent) === 'html' || getNodeName(offsetParent) === 'body' && getComputedStyle(offsetParent).position === 'static' && !isContainingBlock(offsetParent))) {\n return window;\n }\n\n return offsetParent || getContainingBlock(element) || window;\n}\n\nfunction getDimensions(element) {\n return {\n width: element.offsetWidth,\n height: element.offsetHeight\n };\n}\n\nfunction convertOffsetParentRelativeRectToViewportRelativeRect(_ref) {\n let {\n rect,\n offsetParent,\n strategy\n } = _ref;\n const isOffsetParentAnElement = isHTMLElement(offsetParent);\n const documentElement = getDocumentElement(offsetParent);\n\n if (offsetParent === documentElement) {\n return rect;\n }\n\n let scroll = {\n scrollLeft: 0,\n scrollTop: 0\n };\n const offsets = {\n x: 0,\n y: 0\n };\n\n if (isOffsetParentAnElement || !isOffsetParentAnElement && strategy !== 'fixed') {\n if (getNodeName(offsetParent) !== 'body' || isScrollParent(documentElement)) {\n scroll = getNodeScroll(offsetParent);\n }\n\n if (isHTMLElement(offsetParent)) {\n const offsetRect = getBoundingClientRect(offsetParent, true);\n offsets.x = offsetRect.x + offsetParent.clientLeft;\n offsets.y = offsetRect.y + offsetParent.clientTop;\n } // This doesn't appear to be need to be negated.\n // else if (documentElement) {\n // offsets.x = getWindowScrollBarX(documentElement);\n // }\n\n }\n\n return { ...rect,\n x: rect.x - scroll.scrollLeft + offsets.x,\n y: rect.y - scroll.scrollTop + offsets.y\n };\n}\n\nfunction getViewportRect(element) {\n const win = getWindow(element);\n const html = getDocumentElement(element);\n const visualViewport = win.visualViewport;\n let width = html.clientWidth;\n let height = html.clientHeight;\n let x = 0;\n let y = 0;\n\n if (visualViewport) {\n width = visualViewport.width;\n height = visualViewport.height; // Uses Layout Viewport (like Chrome; Safari does not currently)\n // In Chrome, it returns a value very close to 0 (+/-) but contains rounding\n // errors due to floating point numbers, so we need to check precision.\n // Safari returns a number <= 0, usually < -1 when pinch-zoomed\n\n if (Math.abs(win.innerWidth / visualViewport.scale - visualViewport.width) < 0.01) {\n x = visualViewport.offsetLeft;\n y = visualViewport.offsetTop;\n }\n }\n\n return {\n width,\n height,\n x,\n y\n };\n}\n\n// of the `` and `` rect bounds if horizontally scrollable\n\nfunction getDocumentRect(element) {\n var _element$ownerDocumen;\n\n const html = getDocumentElement(element);\n const scroll = getNodeScroll(element);\n const body = (_element$ownerDocumen = element.ownerDocument) == null ? void 0 : _element$ownerDocumen.body;\n const width = max(html.scrollWidth, html.clientWidth, body ? body.scrollWidth : 0, body ? body.clientWidth : 0);\n const height = max(html.scrollHeight, html.clientHeight, body ? body.scrollHeight : 0, body ? body.clientHeight : 0);\n let x = -scroll.scrollLeft + getWindowScrollBarX(element);\n const y = -scroll.scrollTop;\n\n if (getComputedStyle$1(body || html).direction === 'rtl') {\n x += max(html.clientWidth, body ? body.clientWidth : 0) - width;\n }\n\n return {\n width,\n height,\n x,\n y\n };\n}\n\nfunction getScrollParent(node) {\n if (['html', 'body', '#document'].includes(getNodeName(node))) {\n // @ts-ignore assume body is always available\n return node.ownerDocument.body;\n }\n\n if (isHTMLElement(node) && isScrollParent(node)) {\n return node;\n }\n\n return getScrollParent(getParentNode(node));\n}\n\nfunction getScrollParents(node, list) {\n var _node$ownerDocument;\n\n if (list === void 0) {\n list = [];\n }\n\n const scrollParent = getScrollParent(node);\n const isBody = scrollParent === ((_node$ownerDocument = node.ownerDocument) == null ? void 0 : _node$ownerDocument.body);\n const win = getWindow(scrollParent);\n const target = isBody ? [win].concat(win.visualViewport || [], isScrollParent(scrollParent) ? scrollParent : []) : scrollParent;\n const updatedList = list.concat(target);\n return isBody ? updatedList : // @ts-ignore: isBody tells us target will be an HTMLElement here\n updatedList.concat(getScrollParents(getParentNode(target)));\n}\n\nfunction contains(parent, child) {\n const rootNode = child.getRootNode == null ? void 0 : child.getRootNode(); // First, attempt with faster native method\n\n if (parent.contains(child)) {\n return true;\n } // then fallback to custom implementation with Shadow DOM support\n else if (rootNode && isShadowRoot(rootNode)) {\n let next = child;\n\n do {\n // use `===` replace node.isSameNode()\n if (next && parent === next) {\n return true;\n } // @ts-ignore: need a better way to handle this...\n\n\n next = next.parentNode || next.host;\n } while (next);\n }\n\n return false;\n}\n\nfunction getInnerBoundingClientRect(element) {\n const clientRect = getBoundingClientRect(element);\n const top = clientRect.top + element.clientTop;\n const left = clientRect.left + element.clientLeft;\n return {\n top,\n left,\n x: left,\n y: top,\n right: left + element.clientWidth,\n bottom: top + element.clientHeight,\n width: element.clientWidth,\n height: element.clientHeight\n };\n}\n\nfunction getClientRectFromClippingParent(element, clippingParent) {\n if (clippingParent === 'viewport') {\n return rectToClientRect(getViewportRect(element));\n }\n\n if (isElement(clippingParent)) {\n return getInnerBoundingClientRect(clippingParent);\n }\n\n return rectToClientRect(getDocumentRect(getDocumentElement(element)));\n} // A \"clipping parent\" is an overflowable container with the characteristic of\n// clipping (or hiding) overflowing elements with a position different from\n// `initial`\n\n\nfunction getClippingParents(element) {\n const clippingParents = getScrollParents(getParentNode(element));\n const canEscapeClipping = ['absolute', 'fixed'].includes(getComputedStyle$1(element).position);\n const clipperElement = canEscapeClipping && isHTMLElement(element) ? getOffsetParent(element) : element;\n\n if (!isElement(clipperElement)) {\n return [];\n } // @ts-ignore isElement check ensures we return Array\n\n\n return clippingParents.filter(clippingParent => isElement(clippingParent) && contains(clippingParent, clipperElement) && getNodeName(clippingParent) !== 'body');\n} // Gets the maximum area that the element is visible in due to any number of\n// clipping parents\n\n\nfunction getClippingClientRect(_ref) {\n let {\n element,\n boundary,\n rootBoundary\n } = _ref;\n const mainClippingParents = boundary === 'clippingParents' ? getClippingParents(element) : [].concat(boundary);\n const clippingParents = [...mainClippingParents, rootBoundary];\n const firstClippingParent = clippingParents[0];\n const clippingRect = clippingParents.reduce((accRect, clippingParent) => {\n const rect = getClientRectFromClippingParent(element, clippingParent);\n accRect.top = max(rect.top, accRect.top);\n accRect.right = min(rect.right, accRect.right);\n accRect.bottom = min(rect.bottom, accRect.bottom);\n accRect.left = max(rect.left, accRect.left);\n return accRect;\n }, getClientRectFromClippingParent(element, firstClippingParent));\n clippingRect.width = clippingRect.right - clippingRect.left;\n clippingRect.height = clippingRect.bottom - clippingRect.top;\n clippingRect.x = clippingRect.left;\n clippingRect.y = clippingRect.top;\n return clippingRect;\n}\n\nconst platform = {\n getElementRects: _ref => {\n let {\n reference,\n floating,\n strategy\n } = _ref;\n return {\n reference: getRectRelativeToOffsetParent(reference, getOffsetParent(floating), strategy),\n floating: { ...getDimensions(floating),\n x: 0,\n y: 0\n }\n };\n },\n convertOffsetParentRelativeRectToViewportRelativeRect: args => convertOffsetParentRelativeRectToViewportRelativeRect(args),\n getOffsetParent: _ref2 => {\n let {\n element\n } = _ref2;\n return getOffsetParent(element);\n },\n isElement: value => isElement(value),\n getDocumentElement: _ref3 => {\n let {\n element\n } = _ref3;\n return getDocumentElement(element);\n },\n getClippingClientRect: args => getClippingClientRect(args),\n getDimensions: _ref4 => {\n let {\n element\n } = _ref4;\n return getDimensions(element);\n },\n getClientRects: _ref5 => {\n let {\n element\n } = _ref5;\n return element.getClientRects();\n }\n};\n\nconst computePosition = (reference, floating, options) => computePosition$1(reference, floating, {\n platform,\n ...options\n});\n\nexport { computePosition, getScrollParents };\n","var __defProp = Object.defineProperty;\nvar __defProps = Object.defineProperties;\nvar __getOwnPropDescs = Object.getOwnPropertyDescriptors;\nvar __getOwnPropSymbols = Object.getOwnPropertySymbols;\nvar __hasOwnProp = Object.prototype.hasOwnProperty;\nvar __propIsEnum = Object.prototype.propertyIsEnumerable;\nvar __defNormalProp = (obj, key, value) => key in obj ? __defProp(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;\nvar __spreadValues = (a, b) => {\n for (var prop in b || (b = {}))\n if (__hasOwnProp.call(b, prop))\n __defNormalProp(a, prop, b[prop]);\n if (__getOwnPropSymbols)\n for (var prop of __getOwnPropSymbols(b)) {\n if (__propIsEnum.call(b, prop))\n __defNormalProp(a, prop, b[prop]);\n }\n return a;\n};\nvar __spreadProps = (a, b) => __defProps(a, __getOwnPropDescs(b));\nvar __objRest = (source, exclude) => {\n var target = {};\n for (var prop in source)\n if (__hasOwnProp.call(source, prop) && exclude.indexOf(prop) < 0)\n target[prop] = source[prop];\n if (source != null && __getOwnPropSymbols)\n for (var prop of __getOwnPropSymbols(source)) {\n if (exclude.indexOf(prop) < 0 && __propIsEnum.call(source, prop))\n target[prop] = source[prop];\n }\n return target;\n};\nimport { offset, autoPlacement, shift, flip, arrow, size, computePosition, getScrollParents } from \"@floating-ui/dom\";\nimport Vue from \"vue\";\nfunction assign(to, from) {\n for (const key in from) {\n if (Object.prototype.hasOwnProperty.call(from, key)) {\n if (typeof from[key] === \"object\" && to[key]) {\n assign(to[key], from[key]);\n } else {\n to[key] = from[key];\n }\n }\n }\n}\nconst config = {\n disabled: false,\n distance: 5,\n skidding: 0,\n container: \"body\",\n boundary: void 0,\n instantMove: false,\n disposeTimeout: 5e3,\n popperTriggers: [],\n strategy: \"absolute\",\n preventOverflow: true,\n flip: true,\n shift: true,\n overflowPadding: 0,\n arrowPadding: 0,\n arrowOverflow: true,\n themes: {\n tooltip: {\n placement: \"top\",\n triggers: [\"hover\", \"focus\", \"touch\"],\n hideTriggers: (events) => [...events, \"click\"],\n delay: {\n show: 200,\n hide: 0\n },\n handleResize: false,\n html: false,\n loadingContent: \"...\"\n },\n dropdown: {\n placement: \"bottom\",\n triggers: [\"click\"],\n delay: 0,\n handleResize: true,\n autoHide: true\n },\n menu: {\n $extend: \"dropdown\",\n triggers: [\"hover\", \"focus\"],\n popperTriggers: [\"hover\", \"focus\"],\n delay: {\n show: 0,\n hide: 400\n }\n }\n }\n};\nfunction getDefaultConfig(theme, key) {\n let themeConfig = config.themes[theme] || {};\n let value;\n do {\n value = themeConfig[key];\n if (typeof value === \"undefined\") {\n if (themeConfig.$extend) {\n themeConfig = config.themes[themeConfig.$extend] || {};\n } else {\n themeConfig = null;\n value = config[key];\n }\n } else {\n themeConfig = null;\n }\n } while (themeConfig);\n return value;\n}\nfunction getThemeClasses(theme) {\n const result = [theme];\n let themeConfig = config.themes[theme] || {};\n do {\n if (themeConfig.$extend && !themeConfig.$resetCss) {\n result.push(themeConfig.$extend);\n themeConfig = config.themes[themeConfig.$extend] || {};\n } else {\n themeConfig = null;\n }\n } while (themeConfig);\n return result.map((c) => `v-popper--theme-${c}`);\n}\nfunction getAllParentThemes(theme) {\n const result = [theme];\n let themeConfig = config.themes[theme] || {};\n do {\n if (themeConfig.$extend) {\n result.push(themeConfig.$extend);\n themeConfig = config.themes[themeConfig.$extend] || {};\n } else {\n themeConfig = null;\n }\n } while (themeConfig);\n return result;\n}\nvar vueResize = \"\";\nlet supportsPassive = false;\nif (typeof window !== \"undefined\") {\n supportsPassive = false;\n try {\n const opts = Object.defineProperty({}, \"passive\", {\n get() {\n supportsPassive = true;\n }\n });\n window.addEventListener(\"test\", null, opts);\n } catch (e) {\n }\n}\nlet isIOS = false;\nif (typeof window !== \"undefined\" && typeof navigator !== \"undefined\") {\n isIOS = /iPad|iPhone|iPod/.test(navigator.userAgent) && !window.MSStream;\n}\nconst placements = [\"auto\", \"top\", \"bottom\", \"left\", \"right\"].reduce((acc, base) => acc.concat([\n base,\n `${base}-start`,\n `${base}-end`\n]), []);\nconst SHOW_EVENT_MAP = {\n hover: \"mouseenter\",\n focus: \"focus\",\n click: \"click\",\n touch: \"touchstart\"\n};\nconst HIDE_EVENT_MAP = {\n hover: \"mouseleave\",\n focus: \"blur\",\n click: \"click\",\n touch: \"touchend\"\n};\nfunction removeFromArray(array, item) {\n const index = array.indexOf(item);\n if (index !== -1) {\n array.splice(index, 1);\n }\n}\nfunction nextFrame() {\n return new Promise((resolve) => requestAnimationFrame(() => {\n requestAnimationFrame(resolve);\n }));\n}\nconst shownPoppers = [];\nlet hidingPopper = null;\nconst shownPoppersByTheme = {};\nfunction getShownPoppersByTheme(theme) {\n let list = shownPoppersByTheme[theme];\n if (!list) {\n list = shownPoppersByTheme[theme] = [];\n }\n return list;\n}\nlet Element = function() {\n};\nif (typeof window !== \"undefined\") {\n Element = window.Element;\n}\nfunction defaultPropFactory(prop) {\n return function() {\n const props = this.$props;\n return getDefaultConfig(props.theme, prop);\n };\n}\nconst PROVIDE_KEY = \"__floating-vue__popper\";\nvar PrivatePopper = () => ({\n name: \"VPopper\",\n props: {\n theme: {\n type: String,\n required: true\n },\n targetNodes: {\n type: Function,\n required: true\n },\n referenceNode: {\n type: Function,\n required: true\n },\n popperNode: {\n type: Function,\n required: true\n },\n shown: {\n type: Boolean,\n default: false\n },\n showGroup: {\n type: String,\n default: null\n },\n ariaId: {\n default: null\n },\n disabled: {\n type: Boolean,\n default: defaultPropFactory(\"disabled\")\n },\n positioningDisabled: {\n type: Boolean,\n default: defaultPropFactory(\"positioningDisabled\")\n },\n placement: {\n type: String,\n default: defaultPropFactory(\"placement\"),\n validator: (value) => placements.includes(value)\n },\n delay: {\n type: [String, Number, Object],\n default: defaultPropFactory(\"delay\")\n },\n distance: {\n type: [Number, String],\n default: defaultPropFactory(\"distance\")\n },\n skidding: {\n type: [Number, String],\n default: defaultPropFactory(\"skidding\")\n },\n triggers: {\n type: Array,\n default: defaultPropFactory(\"triggers\")\n },\n showTriggers: {\n type: [Array, Function],\n default: defaultPropFactory(\"showTriggers\")\n },\n hideTriggers: {\n type: [Array, Function],\n default: defaultPropFactory(\"hideTriggers\")\n },\n popperTriggers: {\n type: Array,\n default: defaultPropFactory(\"popperTriggers\")\n },\n popperShowTriggers: {\n type: [Array, Function],\n default: defaultPropFactory(\"popperShowTriggers\")\n },\n popperHideTriggers: {\n type: [Array, Function],\n default: defaultPropFactory(\"popperHideTriggers\")\n },\n container: {\n type: [String, Object, Element, Boolean],\n default: defaultPropFactory(\"container\")\n },\n boundary: {\n type: [String, Element],\n default: defaultPropFactory(\"boundary\")\n },\n strategy: {\n type: String,\n validator: (value) => [\"absolute\", \"fixed\"].includes(value),\n default: defaultPropFactory(\"strategy\")\n },\n autoHide: {\n type: [Boolean, Function],\n default: defaultPropFactory(\"autoHide\")\n },\n handleResize: {\n type: Boolean,\n default: defaultPropFactory(\"handleResize\")\n },\n instantMove: {\n type: Boolean,\n default: defaultPropFactory(\"instantMove\")\n },\n eagerMount: {\n type: Boolean,\n default: defaultPropFactory(\"eagerMount\")\n },\n popperClass: {\n type: [String, Array, Object],\n default: defaultPropFactory(\"popperClass\")\n },\n computeTransformOrigin: {\n type: Boolean,\n default: defaultPropFactory(\"computeTransformOrigin\")\n },\n autoMinSize: {\n type: Boolean,\n default: defaultPropFactory(\"autoMinSize\")\n },\n autoSize: {\n type: [Boolean, String],\n default: defaultPropFactory(\"autoSize\")\n },\n autoMaxSize: {\n type: Boolean,\n default: defaultPropFactory(\"autoMaxSize\")\n },\n autoBoundaryMaxSize: {\n type: Boolean,\n default: defaultPropFactory(\"autoBoundaryMaxSize\")\n },\n preventOverflow: {\n type: Boolean,\n default: defaultPropFactory(\"preventOverflow\")\n },\n overflowPadding: {\n type: [Number, String],\n default: defaultPropFactory(\"overflowPadding\")\n },\n arrowPadding: {\n type: [Number, String],\n default: defaultPropFactory(\"arrowPadding\")\n },\n arrowOverflow: {\n type: Boolean,\n default: defaultPropFactory(\"arrowOverflow\")\n },\n flip: {\n type: Boolean,\n default: defaultPropFactory(\"flip\")\n },\n shift: {\n type: Boolean,\n default: defaultPropFactory(\"shift\")\n },\n shiftCrossAxis: {\n type: Boolean,\n default: defaultPropFactory(\"shiftCrossAxis\")\n },\n noAutoFocus: {\n type: Boolean,\n default: defaultPropFactory(\"noAutoFocus\")\n }\n },\n provide() {\n return {\n [PROVIDE_KEY]: {\n parentPopper: this\n }\n };\n },\n inject: {\n [PROVIDE_KEY]: { default: null }\n },\n data() {\n return {\n isShown: false,\n isMounted: false,\n skipTransition: false,\n classes: {\n showFrom: false,\n showTo: false,\n hideFrom: false,\n hideTo: true\n },\n result: {\n x: 0,\n y: 0,\n placement: \"\",\n strategy: this.strategy,\n arrow: {\n x: 0,\n y: 0,\n centerOffset: 0\n },\n transformOrigin: null\n },\n shownChildren: /* @__PURE__ */ new Set(),\n lastAutoHide: true\n };\n },\n computed: {\n popperId() {\n return this.ariaId != null ? this.ariaId : this.randomId;\n },\n shouldMountContent() {\n return this.eagerMount || this.isMounted;\n },\n slotData() {\n return {\n popperId: this.popperId,\n isShown: this.isShown,\n shouldMountContent: this.shouldMountContent,\n skipTransition: this.skipTransition,\n autoHide: typeof this.autoHide === \"function\" ? this.lastAutoHide : this.autoHide,\n show: this.show,\n hide: this.hide,\n handleResize: this.handleResize,\n onResize: this.onResize,\n classes: __spreadProps(__spreadValues({}, this.classes), {\n popperClass: this.popperClass\n }),\n result: this.positioningDisabled ? null : this.result\n };\n },\n parentPopper() {\n var _a;\n return (_a = this[PROVIDE_KEY]) == null ? void 0 : _a.parentPopper;\n },\n hasPopperShowTriggerHover() {\n var _a, _b;\n return ((_a = this.popperTriggers) == null ? void 0 : _a.includes(\"hover\")) || ((_b = this.popperShowTriggers) == null ? void 0 : _b.includes(\"hover\"));\n }\n },\n watch: __spreadValues(__spreadValues({\n shown: \"$_autoShowHide\",\n disabled(value) {\n if (value) {\n this.dispose();\n } else {\n this.init();\n }\n },\n async container() {\n if (this.isShown) {\n this.$_ensureTeleport();\n await this.$_computePosition();\n }\n }\n }, [\n \"triggers\",\n \"positioningDisabled\"\n ].reduce((acc, prop) => {\n acc[prop] = \"$_refreshListeners\";\n return acc;\n }, {})), [\n \"placement\",\n \"distance\",\n \"skidding\",\n \"boundary\",\n \"strategy\",\n \"overflowPadding\",\n \"arrowPadding\",\n \"preventOverflow\",\n \"shift\",\n \"shiftCrossAxis\",\n \"flip\"\n ].reduce((acc, prop) => {\n acc[prop] = \"$_computePosition\";\n return acc;\n }, {})),\n created() {\n this.$_isDisposed = true;\n this.randomId = `popper_${[Math.random(), Date.now()].map((n) => n.toString(36).substring(2, 10)).join(\"_\")}`;\n if (this.autoMinSize) {\n console.warn('[floating-vue] `autoMinSize` option is deprecated. Use `autoSize=\"min\"` instead.');\n }\n if (this.autoMaxSize) {\n console.warn(\"[floating-vue] `autoMaxSize` option is deprecated. Use `autoBoundaryMaxSize` instead.\");\n }\n },\n mounted() {\n this.init();\n this.$_detachPopperNode();\n },\n activated() {\n this.$_autoShowHide();\n },\n deactivated() {\n this.hide();\n },\n beforeDestroy() {\n this.dispose();\n },\n methods: {\n show({ event = null, skipDelay = false, force = false } = {}) {\n var _a, _b;\n if (((_a = this.parentPopper) == null ? void 0 : _a.lockedChild) && this.parentPopper.lockedChild !== this)\n return;\n this.$_pendingHide = false;\n if (force || !this.disabled) {\n if (((_b = this.parentPopper) == null ? void 0 : _b.lockedChild) === this) {\n this.parentPopper.lockedChild = null;\n }\n this.$_scheduleShow(event, skipDelay);\n this.$emit(\"show\");\n this.$_showFrameLocked = true;\n requestAnimationFrame(() => {\n this.$_showFrameLocked = false;\n });\n }\n this.$emit(\"update:shown\", true);\n },\n hide({ event = null, skipDelay = false, skipAiming = false } = {}) {\n var _a;\n if (this.$_hideInProgress)\n return;\n if (this.shownChildren.size > 0) {\n this.$_pendingHide = true;\n return;\n }\n if (!skipAiming && this.hasPopperShowTriggerHover && this.$_isAimingPopper()) {\n if (this.parentPopper) {\n this.parentPopper.lockedChild = this;\n clearTimeout(this.parentPopper.lockedChildTimer);\n this.parentPopper.lockedChildTimer = setTimeout(() => {\n if (this.parentPopper.lockedChild === this) {\n this.parentPopper.lockedChild.hide({ skipDelay });\n this.parentPopper.lockedChild = null;\n }\n }, 1e3);\n }\n return;\n }\n if (((_a = this.parentPopper) == null ? void 0 : _a.lockedChild) === this) {\n this.parentPopper.lockedChild = null;\n }\n this.$_pendingHide = false;\n this.$_scheduleHide(event, skipDelay);\n this.$emit(\"hide\");\n this.$emit(\"update:shown\", false);\n },\n init() {\n if (!this.$_isDisposed)\n return;\n this.$_isDisposed = false;\n this.isMounted = false;\n this.$_events = [];\n this.$_preventShow = false;\n this.$_referenceNode = this.referenceNode();\n this.$_targetNodes = this.targetNodes().filter((e) => e.nodeType === e.ELEMENT_NODE);\n this.$_popperNode = this.popperNode();\n this.$_innerNode = this.$_popperNode.querySelector(\".v-popper__inner\");\n this.$_arrowNode = this.$_popperNode.querySelector(\".v-popper__arrow-container\");\n this.$_swapTargetAttrs(\"title\", \"data-original-title\");\n this.$_detachPopperNode();\n if (this.triggers.length) {\n this.$_addEventListeners();\n }\n if (this.shown) {\n this.show();\n }\n },\n dispose() {\n if (this.$_isDisposed)\n return;\n this.$_isDisposed = true;\n this.$_removeEventListeners();\n this.hide({ skipDelay: true });\n this.$_detachPopperNode();\n this.isMounted = false;\n this.isShown = false;\n this.$_updateParentShownChildren(false);\n this.$_swapTargetAttrs(\"data-original-title\", \"title\");\n this.$emit(\"dispose\");\n },\n async onResize() {\n if (this.isShown) {\n await this.$_computePosition();\n this.$emit(\"resize\");\n }\n },\n async $_computePosition() {\n var _a;\n if (this.$_isDisposed || this.positioningDisabled)\n return;\n const options2 = {\n strategy: this.strategy,\n middleware: []\n };\n if (this.distance || this.skidding) {\n options2.middleware.push(offset({\n mainAxis: this.distance,\n crossAxis: this.skidding\n }));\n }\n const isPlacementAuto = this.placement.startsWith(\"auto\");\n if (isPlacementAuto) {\n options2.middleware.push(autoPlacement({\n alignment: (_a = this.placement.split(\"-\")[1]) != null ? _a : \"\"\n }));\n } else {\n options2.placement = this.placement;\n }\n if (this.preventOverflow) {\n if (this.shift) {\n options2.middleware.push(shift({\n padding: this.overflowPadding,\n boundary: this.boundary,\n crossAxis: this.shiftCrossAxis\n }));\n }\n if (!isPlacementAuto && this.flip) {\n options2.middleware.push(flip({\n padding: this.overflowPadding,\n boundary: this.boundary\n }));\n }\n }\n options2.middleware.push(arrow({\n element: this.$_arrowNode,\n padding: this.arrowPadding\n }));\n if (this.arrowOverflow) {\n options2.middleware.push({\n name: \"arrowOverflow\",\n fn: ({ placement, rects, middlewareData }) => {\n let overflow;\n const { centerOffset } = middlewareData.arrow;\n if (placement.startsWith(\"top\") || placement.startsWith(\"bottom\")) {\n overflow = Math.abs(centerOffset) > rects.reference.width / 2;\n } else {\n overflow = Math.abs(centerOffset) > rects.reference.height / 2;\n }\n return {\n data: {\n overflow\n }\n };\n }\n });\n }\n if (this.autoMinSize || this.autoSize) {\n const autoSize = this.autoSize ? this.autoSize : this.autoMinSize ? \"min\" : null;\n options2.middleware.push({\n name: \"autoSize\",\n fn: ({ rects, placement, middlewareData }) => {\n var _a2;\n if ((_a2 = middlewareData.autoSize) == null ? void 0 : _a2.skip) {\n return {};\n }\n let width;\n let height;\n if (placement.startsWith(\"top\") || placement.startsWith(\"bottom\")) {\n width = rects.reference.width;\n } else {\n height = rects.reference.height;\n }\n this.$_innerNode.style[autoSize === \"min\" ? \"minWidth\" : autoSize === \"max\" ? \"maxWidth\" : \"width\"] = width != null ? `${width}px` : null;\n this.$_innerNode.style[autoSize === \"min\" ? \"minHeight\" : autoSize === \"max\" ? \"maxHeight\" : \"height\"] = height != null ? `${height}px` : null;\n return {\n data: {\n skip: true\n },\n reset: {\n rects: true\n }\n };\n }\n });\n }\n if (this.autoMaxSize || this.autoBoundaryMaxSize) {\n this.$_innerNode.style.maxWidth = null;\n this.$_innerNode.style.maxHeight = null;\n options2.middleware.push(size({\n boundary: this.boundary,\n padding: this.overflowPadding,\n apply: ({ width, height }) => {\n this.$_innerNode.style.maxWidth = width != null ? `${width}px` : null;\n this.$_innerNode.style.maxHeight = height != null ? `${height}px` : null;\n }\n }));\n }\n const data = await computePosition(this.$_referenceNode, this.$_popperNode, options2);\n Object.assign(this.result, {\n x: data.x,\n y: data.y,\n placement: data.placement,\n strategy: data.strategy,\n arrow: __spreadValues(__spreadValues({}, data.middlewareData.arrow), data.middlewareData.arrowOverflow)\n });\n },\n $_scheduleShow(event = null, skipDelay = false) {\n this.$_updateParentShownChildren(true);\n this.$_hideInProgress = false;\n clearTimeout(this.$_scheduleTimer);\n if (hidingPopper && this.instantMove && hidingPopper.instantMove && hidingPopper !== this.parentPopper) {\n hidingPopper.$_applyHide(true);\n this.$_applyShow(true);\n return;\n }\n if (skipDelay) {\n this.$_applyShow();\n } else {\n this.$_scheduleTimer = setTimeout(this.$_applyShow.bind(this), this.$_computeDelay(\"show\"));\n }\n },\n $_scheduleHide(event = null, skipDelay = false) {\n if (this.shownChildren.size > 0) {\n this.$_pendingHide = true;\n return;\n }\n this.$_updateParentShownChildren(false);\n this.$_hideInProgress = true;\n clearTimeout(this.$_scheduleTimer);\n if (this.isShown) {\n hidingPopper = this;\n }\n if (skipDelay) {\n this.$_applyHide();\n } else {\n this.$_scheduleTimer = setTimeout(this.$_applyHide.bind(this), this.$_computeDelay(\"hide\"));\n }\n },\n $_computeDelay(type) {\n const delay = this.delay;\n return parseInt(delay && delay[type] || delay || 0);\n },\n async $_applyShow(skipTransition = false) {\n clearTimeout(this.$_disposeTimer);\n clearTimeout(this.$_scheduleTimer);\n this.skipTransition = skipTransition;\n if (this.isShown) {\n return;\n }\n this.$_ensureTeleport();\n await nextFrame();\n await this.$_computePosition();\n await this.$_applyShowEffect();\n if (!this.positioningDisabled) {\n this.$_registerEventListeners([\n ...getScrollParents(this.$_referenceNode),\n ...getScrollParents(this.$_popperNode)\n ], \"scroll\", () => {\n this.$_computePosition();\n });\n }\n },\n async $_applyShowEffect() {\n if (this.$_hideInProgress)\n return;\n if (this.computeTransformOrigin) {\n const bounds = this.$_referenceNode.getBoundingClientRect();\n const popperWrapper = this.$_popperNode.querySelector(\".v-popper__wrapper\");\n const parentBounds = popperWrapper.parentNode.getBoundingClientRect();\n const x = bounds.x + bounds.width / 2 - (parentBounds.left + popperWrapper.offsetLeft);\n const y = bounds.y + bounds.height / 2 - (parentBounds.top + popperWrapper.offsetTop);\n this.result.transformOrigin = `${x}px ${y}px`;\n }\n this.isShown = true;\n this.$_applyAttrsToTarget({\n \"aria-describedby\": this.popperId,\n \"data-popper-shown\": \"\"\n });\n const showGroup = this.showGroup;\n if (showGroup) {\n let popover;\n for (let i = 0; i < shownPoppers.length; i++) {\n popover = shownPoppers[i];\n if (popover.showGroup !== showGroup) {\n popover.hide();\n popover.$emit(\"close-group\");\n }\n }\n }\n shownPoppers.push(this);\n document.body.classList.add(\"v-popper--some-open\");\n for (const theme of getAllParentThemes(this.theme)) {\n getShownPoppersByTheme(theme).push(this);\n document.body.classList.add(`v-popper--some-open--${theme}`);\n }\n this.$emit(\"apply-show\");\n this.classes.showFrom = true;\n this.classes.showTo = false;\n this.classes.hideFrom = false;\n this.classes.hideTo = false;\n await nextFrame();\n this.classes.showFrom = false;\n this.classes.showTo = true;\n if (!this.noAutoFocus)\n this.$_popperNode.focus();\n },\n async $_applyHide(skipTransition = false) {\n if (this.shownChildren.size > 0) {\n this.$_pendingHide = true;\n this.$_hideInProgress = false;\n return;\n }\n clearTimeout(this.$_scheduleTimer);\n if (!this.isShown) {\n return;\n }\n this.skipTransition = skipTransition;\n removeFromArray(shownPoppers, this);\n if (shownPoppers.length === 0) {\n document.body.classList.remove(\"v-popper--some-open\");\n }\n for (const theme of getAllParentThemes(this.theme)) {\n const list = getShownPoppersByTheme(theme);\n removeFromArray(list, this);\n if (list.length === 0) {\n document.body.classList.remove(`v-popper--some-open--${theme}`);\n }\n }\n if (hidingPopper === this) {\n hidingPopper = null;\n }\n this.isShown = false;\n this.$_applyAttrsToTarget({\n \"aria-describedby\": void 0,\n \"data-popper-shown\": void 0\n });\n clearTimeout(this.$_disposeTimer);\n const disposeTime = getDefaultConfig(this.theme, \"disposeTimeout\");\n if (disposeTime !== null) {\n this.$_disposeTimer = setTimeout(() => {\n if (this.$_popperNode) {\n this.$_detachPopperNode();\n this.isMounted = false;\n }\n }, disposeTime);\n }\n this.$_removeEventListeners(\"scroll\");\n this.$emit(\"apply-hide\");\n this.classes.showFrom = false;\n this.classes.showTo = false;\n this.classes.hideFrom = true;\n this.classes.hideTo = false;\n await nextFrame();\n this.classes.hideFrom = false;\n this.classes.hideTo = true;\n },\n $_autoShowHide() {\n if (this.shown) {\n this.show();\n } else {\n this.hide();\n }\n },\n $_ensureTeleport() {\n if (this.$_isDisposed)\n return;\n let container = this.container;\n if (typeof container === \"string\") {\n container = window.document.querySelector(container);\n } else if (container === false) {\n container = this.$_targetNodes[0].parentNode;\n }\n if (!container) {\n throw new Error(\"No container for popover: \" + this.container);\n }\n container.appendChild(this.$_popperNode);\n this.isMounted = true;\n },\n $_addEventListeners() {\n const handleShow = (event) => {\n if (this.isShown && !this.$_hideInProgress) {\n return;\n }\n event.usedByTooltip = true;\n !this.$_preventShow && this.show({ event });\n };\n this.$_registerTriggerListeners(this.$_targetNodes, SHOW_EVENT_MAP, this.triggers, this.showTriggers, handleShow);\n this.$_registerTriggerListeners([this.$_popperNode], SHOW_EVENT_MAP, this.popperTriggers, this.popperShowTriggers, handleShow);\n const handleHide = (skipAiming) => (event) => {\n if (event.usedByTooltip) {\n return;\n }\n this.hide({ event, skipAiming });\n };\n this.$_registerTriggerListeners(this.$_targetNodes, HIDE_EVENT_MAP, this.triggers, this.hideTriggers, handleHide(false));\n this.$_registerTriggerListeners([this.$_popperNode], HIDE_EVENT_MAP, this.popperTriggers, this.popperHideTriggers, handleHide(true));\n },\n $_registerEventListeners(targetNodes, eventType, handler) {\n this.$_events.push({ targetNodes, eventType, handler });\n targetNodes.forEach((node) => node.addEventListener(eventType, handler, supportsPassive ? {\n passive: true\n } : void 0));\n },\n $_registerTriggerListeners(targetNodes, eventMap, commonTriggers, customTrigger, handler) {\n let triggers = commonTriggers;\n if (customTrigger != null) {\n triggers = typeof customTrigger === \"function\" ? customTrigger(triggers) : customTrigger;\n }\n triggers.forEach((trigger) => {\n const eventType = eventMap[trigger];\n if (eventType) {\n this.$_registerEventListeners(targetNodes, eventType, handler);\n }\n });\n },\n $_removeEventListeners(filterEventType) {\n const newList = [];\n this.$_events.forEach((listener) => {\n const { targetNodes, eventType, handler } = listener;\n if (!filterEventType || filterEventType === eventType) {\n targetNodes.forEach((node) => node.removeEventListener(eventType, handler));\n } else {\n newList.push(listener);\n }\n });\n this.$_events = newList;\n },\n $_refreshListeners() {\n if (!this.$_isDisposed) {\n this.$_removeEventListeners();\n this.$_addEventListeners();\n }\n },\n $_handleGlobalClose(event, touch = false) {\n if (this.$_showFrameLocked)\n return;\n this.hide({ event });\n if (event.closePopover) {\n this.$emit(\"close-directive\");\n } else {\n this.$emit(\"auto-hide\");\n }\n if (touch) {\n this.$_preventShow = true;\n setTimeout(() => {\n this.$_preventShow = false;\n }, 300);\n }\n },\n $_detachPopperNode() {\n this.$_popperNode.parentNode && this.$_popperNode.parentNode.removeChild(this.$_popperNode);\n },\n $_swapTargetAttrs(attrFrom, attrTo) {\n for (const el of this.$_targetNodes) {\n const value = el.getAttribute(attrFrom);\n if (value) {\n el.removeAttribute(attrFrom);\n el.setAttribute(attrTo, value);\n }\n }\n },\n $_applyAttrsToTarget(attrs) {\n for (const el of this.$_targetNodes) {\n for (const n in attrs) {\n const value = attrs[n];\n if (value == null) {\n el.removeAttribute(n);\n } else {\n el.setAttribute(n, value);\n }\n }\n }\n },\n $_updateParentShownChildren(value) {\n let parent = this.parentPopper;\n while (parent) {\n if (value) {\n parent.shownChildren.add(this.randomId);\n } else {\n parent.shownChildren.delete(this.randomId);\n if (parent.$_pendingHide) {\n parent.hide();\n }\n }\n parent = parent.parentPopper;\n }\n },\n $_isAimingPopper() {\n const referenceBounds = this.$el.getBoundingClientRect();\n if (mouseX >= referenceBounds.left && mouseX <= referenceBounds.right && mouseY >= referenceBounds.top && mouseY <= referenceBounds.bottom) {\n const popperBounds = this.$_popperNode.getBoundingClientRect();\n const vectorX = mouseX - mousePreviousX;\n const vectorY = mouseY - mousePreviousY;\n const distance = popperBounds.left + popperBounds.width / 2 - mousePreviousX + (popperBounds.top + popperBounds.height / 2) - mousePreviousY;\n const newVectorLength = distance + popperBounds.width + popperBounds.height;\n const edgeX = mousePreviousX + vectorX * newVectorLength;\n const edgeY = mousePreviousY + vectorY * newVectorLength;\n return lineIntersectsLine(mousePreviousX, mousePreviousY, edgeX, edgeY, popperBounds.left, popperBounds.top, popperBounds.left, popperBounds.bottom) || lineIntersectsLine(mousePreviousX, mousePreviousY, edgeX, edgeY, popperBounds.left, popperBounds.top, popperBounds.right, popperBounds.top) || lineIntersectsLine(mousePreviousX, mousePreviousY, edgeX, edgeY, popperBounds.right, popperBounds.top, popperBounds.right, popperBounds.bottom) || lineIntersectsLine(mousePreviousX, mousePreviousY, edgeX, edgeY, popperBounds.left, popperBounds.bottom, popperBounds.right, popperBounds.bottom);\n }\n return false;\n }\n },\n render() {\n return this.$scopedSlots.default(this.slotData)[0];\n }\n});\nif (typeof document !== \"undefined\" && typeof window !== \"undefined\") {\n if (isIOS) {\n document.addEventListener(\"touchstart\", handleGlobalMousedown, supportsPassive ? {\n passive: true,\n capture: true\n } : true);\n document.addEventListener(\"touchend\", handleGlobalTouchend, supportsPassive ? {\n passive: true,\n capture: true\n } : true);\n } else {\n window.addEventListener(\"mousedown\", handleGlobalMousedown, true);\n window.addEventListener(\"click\", handleGlobalClick, true);\n }\n window.addEventListener(\"resize\", computePositionAllShownPoppers);\n}\nfunction handleGlobalMousedown(event) {\n for (let i = 0; i < shownPoppers.length; i++) {\n const popper = shownPoppers[i];\n try {\n const popperContent = popper.popperNode();\n popper.$_mouseDownContains = popperContent.contains(event.target);\n } catch (e) {\n }\n }\n}\nfunction handleGlobalClick(event) {\n handleGlobalClose(event);\n}\nfunction handleGlobalTouchend(event) {\n handleGlobalClose(event, true);\n}\nfunction handleGlobalClose(event, touch = false) {\n const preventClose = {};\n for (let i = shownPoppers.length - 1; i >= 0; i--) {\n const popper = shownPoppers[i];\n try {\n const contains = popper.$_containsGlobalTarget = isContainingEventTarget(popper, event);\n popper.$_pendingHide = false;\n requestAnimationFrame(() => {\n popper.$_pendingHide = false;\n if (preventClose[popper.randomId])\n return;\n if (shouldAutoHide(popper, contains, event)) {\n popper.$_handleGlobalClose(event, touch);\n if (!event.closeAllPopover && event.closePopover && contains) {\n let parent2 = popper.parentPopper;\n while (parent2) {\n preventClose[parent2.randomId] = true;\n parent2 = parent2.parentPopper;\n }\n return;\n }\n let parent = popper.parentPopper;\n while (parent) {\n if (shouldAutoHide(parent, parent.$_containsGlobalTarget, event)) {\n parent.$_handleGlobalClose(event, touch);\n } else {\n break;\n }\n parent = parent.parentPopper;\n }\n }\n });\n } catch (e) {\n }\n }\n}\nfunction isContainingEventTarget(popper, event) {\n const popperContent = popper.popperNode();\n return popper.$_mouseDownContains || popperContent.contains(event.target);\n}\nfunction shouldAutoHide(popper, contains, event) {\n return event.closeAllPopover || event.closePopover && contains || getAutoHideResult(popper, event) && !contains;\n}\nfunction getAutoHideResult(popper, event) {\n if (typeof popper.autoHide === \"function\") {\n const result = popper.autoHide(event);\n popper.lastAutoHide = result;\n return result;\n }\n return popper.autoHide;\n}\nfunction computePositionAllShownPoppers(event) {\n for (let i = 0; i < shownPoppers.length; i++) {\n const popper = shownPoppers[i];\n popper.$_computePosition(event);\n }\n}\nfunction hideAllPoppers() {\n for (let i = 0; i < shownPoppers.length; i++) {\n const popper = shownPoppers[i];\n popper.hide();\n }\n}\nlet mousePreviousX = 0;\nlet mousePreviousY = 0;\nlet mouseX = 0;\nlet mouseY = 0;\nif (typeof window !== \"undefined\") {\n window.addEventListener(\"mousemove\", (event) => {\n mousePreviousX = mouseX;\n mousePreviousY = mouseY;\n mouseX = event.clientX;\n mouseY = event.clientY;\n }, supportsPassive ? {\n passive: true\n } : void 0);\n}\nfunction lineIntersectsLine(x1, y1, x2, y2, x3, y3, x4, y4) {\n const uA = ((x4 - x3) * (y1 - y3) - (y4 - y3) * (x1 - x3)) / ((y4 - y3) * (x2 - x1) - (x4 - x3) * (y2 - y1));\n const uB = ((x2 - x1) * (y1 - y3) - (y2 - y1) * (x1 - x3)) / ((y4 - y3) * (x2 - x1) - (x4 - x3) * (y2 - y1));\n return uA >= 0 && uA <= 1 && uB >= 0 && uB <= 1;\n}\nfunction getInternetExplorerVersion() {\n var ua = window.navigator.userAgent;\n var msie = ua.indexOf(\"MSIE \");\n if (msie > 0) {\n return parseInt(ua.substring(msie + 5, ua.indexOf(\".\", msie)), 10);\n }\n var trident = ua.indexOf(\"Trident/\");\n if (trident > 0) {\n var rv = ua.indexOf(\"rv:\");\n return parseInt(ua.substring(rv + 3, ua.indexOf(\".\", rv)), 10);\n }\n var edge = ua.indexOf(\"Edge/\");\n if (edge > 0) {\n return parseInt(ua.substring(edge + 5, ua.indexOf(\".\", edge)), 10);\n }\n return -1;\n}\nvar isIE;\nfunction initCompat() {\n if (!initCompat.init) {\n initCompat.init = true;\n isIE = getInternetExplorerVersion() !== -1;\n }\n}\nvar script = {\n name: \"ResizeObserver\",\n props: {\n emitOnMount: {\n type: Boolean,\n default: false\n },\n ignoreWidth: {\n type: Boolean,\n default: false\n },\n ignoreHeight: {\n type: Boolean,\n default: false\n }\n },\n mounted: function mounted() {\n var _this = this;\n initCompat();\n this.$nextTick(function() {\n _this._w = _this.$el.offsetWidth;\n _this._h = _this.$el.offsetHeight;\n if (_this.emitOnMount) {\n _this.emitSize();\n }\n });\n var object = document.createElement(\"object\");\n this._resizeObject = object;\n object.setAttribute(\"aria-hidden\", \"true\");\n object.setAttribute(\"tabindex\", -1);\n object.onload = this.addResizeHandlers;\n object.type = \"text/html\";\n if (isIE) {\n this.$el.appendChild(object);\n }\n object.data = \"about:blank\";\n if (!isIE) {\n this.$el.appendChild(object);\n }\n },\n beforeDestroy: function beforeDestroy() {\n this.removeResizeHandlers();\n },\n methods: {\n compareAndNotify: function compareAndNotify() {\n if (!this.ignoreWidth && this._w !== this.$el.offsetWidth || !this.ignoreHeight && this._h !== this.$el.offsetHeight) {\n this._w = this.$el.offsetWidth;\n this._h = this.$el.offsetHeight;\n this.emitSize();\n }\n },\n emitSize: function emitSize() {\n this.$emit(\"notify\", {\n width: this._w,\n height: this._h\n });\n },\n addResizeHandlers: function addResizeHandlers() {\n this._resizeObject.contentDocument.defaultView.addEventListener(\"resize\", this.compareAndNotify);\n this.compareAndNotify();\n },\n removeResizeHandlers: function removeResizeHandlers() {\n if (this._resizeObject && this._resizeObject.onload) {\n if (!isIE && this._resizeObject.contentDocument) {\n this._resizeObject.contentDocument.defaultView.removeEventListener(\"resize\", this.compareAndNotify);\n }\n this.$el.removeChild(this._resizeObject);\n this._resizeObject.onload = null;\n this._resizeObject = null;\n }\n }\n }\n};\nfunction normalizeComponent$1(template, style, script2, scopeId, isFunctionalTemplate, moduleIdentifier, shadowMode, createInjector, createInjectorSSR, createInjectorShadow) {\n if (typeof shadowMode !== \"boolean\") {\n createInjectorSSR = createInjector;\n createInjector = shadowMode;\n shadowMode = false;\n }\n var options2 = typeof script2 === \"function\" ? script2.options : script2;\n if (template && template.render) {\n options2.render = template.render;\n options2.staticRenderFns = template.staticRenderFns;\n options2._compiled = true;\n if (isFunctionalTemplate) {\n options2.functional = true;\n }\n }\n if (scopeId) {\n options2._scopeId = scopeId;\n }\n var hook;\n if (moduleIdentifier) {\n hook = function hook2(context) {\n context = context || this.$vnode && this.$vnode.ssrContext || this.parent && this.parent.$vnode && this.parent.$vnode.ssrContext;\n if (!context && typeof __VUE_SSR_CONTEXT__ !== \"undefined\") {\n context = __VUE_SSR_CONTEXT__;\n }\n if (style) {\n style.call(this, createInjectorSSR(context));\n }\n if (context && context._registeredComponents) {\n context._registeredComponents.add(moduleIdentifier);\n }\n };\n options2._ssrRegister = hook;\n } else if (style) {\n hook = shadowMode ? function(context) {\n style.call(this, createInjectorShadow(context, this.$root.$options.shadowRoot));\n } : function(context) {\n style.call(this, createInjector(context));\n };\n }\n if (hook) {\n if (options2.functional) {\n var originalRender = options2.render;\n options2.render = function renderWithStyleInjection(h, context) {\n hook.call(context);\n return originalRender(h, context);\n };\n } else {\n var existing = options2.beforeCreate;\n options2.beforeCreate = existing ? [].concat(existing, hook) : [hook];\n }\n }\n return script2;\n}\nvar __vue_script__ = script;\nvar __vue_render__ = function __vue_render__2() {\n var _vm = this;\n var _h = _vm.$createElement;\n var _c = _vm._self._c || _h;\n return _c(\"div\", {\n staticClass: \"resize-observer\",\n attrs: {\n tabindex: \"-1\"\n }\n });\n};\nvar __vue_staticRenderFns__ = [];\n__vue_render__._withStripped = true;\nvar __vue_inject_styles__ = void 0;\nvar __vue_scope_id__ = \"data-v-8859cc6c\";\nvar __vue_module_identifier__ = void 0;\nvar __vue_is_functional_template__ = false;\nvar __vue_component__ = /* @__PURE__ */ normalizeComponent$1({\n render: __vue_render__,\n staticRenderFns: __vue_staticRenderFns__\n}, __vue_inject_styles__, __vue_script__, __vue_scope_id__, __vue_is_functional_template__, __vue_module_identifier__, false, void 0, void 0, void 0);\nfunction install$1(Vue2) {\n Vue2.component(\"resize-observer\", __vue_component__);\n Vue2.component(\"ResizeObserver\", __vue_component__);\n}\nvar plugin$1 = {\n version: \"1.0.1\",\n install: install$1\n};\nvar GlobalVue$1 = null;\nif (typeof window !== \"undefined\") {\n GlobalVue$1 = window.Vue;\n} else if (typeof global !== \"undefined\") {\n GlobalVue$1 = global.Vue;\n}\nif (GlobalVue$1) {\n GlobalVue$1.use(plugin$1);\n}\nvar PrivateThemeClass = {\n computed: {\n themeClass() {\n return getThemeClasses(this.theme);\n }\n }\n};\nvar __vue2_script$5 = {\n name: \"VPopperContent\",\n components: {\n ResizeObserver: __vue_component__\n },\n mixins: [\n PrivateThemeClass\n ],\n props: {\n popperId: String,\n theme: String,\n shown: Boolean,\n mounted: Boolean,\n skipTransition: Boolean,\n autoHide: Boolean,\n handleResize: Boolean,\n classes: Object,\n result: Object\n },\n methods: {\n toPx(value) {\n if (value != null && !isNaN(value)) {\n return `${value}px`;\n }\n return null;\n }\n }\n};\nvar render$2 = function() {\n var _vm = this;\n var _h = _vm.$createElement;\n var _c = _vm._self._c || _h;\n return _c(\"div\", { ref: \"popover\", staticClass: \"v-popper__popper\", class: [\n _vm.themeClass,\n _vm.classes.popperClass,\n {\n \"v-popper__popper--shown\": _vm.shown,\n \"v-popper__popper--hidden\": !_vm.shown,\n \"v-popper__popper--show-from\": _vm.classes.showFrom,\n \"v-popper__popper--show-to\": _vm.classes.showTo,\n \"v-popper__popper--hide-from\": _vm.classes.hideFrom,\n \"v-popper__popper--hide-to\": _vm.classes.hideTo,\n \"v-popper__popper--skip-transition\": _vm.skipTransition,\n \"v-popper__popper--arrow-overflow\": _vm.result && _vm.result.arrow.overflow,\n \"v-popper__popper--no-positioning\": !_vm.result\n }\n ], style: _vm.result ? {\n position: _vm.result.strategy,\n transform: \"translate3d(\" + Math.round(_vm.result.x) + \"px,\" + Math.round(_vm.result.y) + \"px,0)\"\n } : void 0, attrs: { \"id\": _vm.popperId, \"aria-hidden\": _vm.shown ? \"false\" : \"true\", \"tabindex\": _vm.autoHide ? 0 : void 0, \"data-popper-placement\": _vm.result ? _vm.result.placement : void 0 }, on: { \"keyup\": function($event) {\n if (!$event.type.indexOf(\"key\") && _vm._k($event.keyCode, \"esc\", 27, $event.key, [\"Esc\", \"Escape\"])) {\n return null;\n }\n _vm.autoHide && _vm.$emit(\"hide\");\n } } }, [_c(\"div\", { staticClass: \"v-popper__backdrop\", on: { \"click\": function($event) {\n _vm.autoHide && _vm.$emit(\"hide\");\n } } }), _c(\"div\", { staticClass: \"v-popper__wrapper\", style: _vm.result ? {\n transformOrigin: _vm.result.transformOrigin\n } : void 0 }, [_c(\"div\", { ref: \"inner\", staticClass: \"v-popper__inner\" }, [_vm.mounted ? [_c(\"div\", [_vm._t(\"default\")], 2), _vm.handleResize ? _c(\"ResizeObserver\", { on: { \"notify\": function($event) {\n return _vm.$emit(\"resize\", $event);\n } } }) : _vm._e()] : _vm._e()], 2), _c(\"div\", { ref: \"arrow\", staticClass: \"v-popper__arrow-container\", style: _vm.result ? {\n left: _vm.toPx(_vm.result.arrow.x),\n top: _vm.toPx(_vm.result.arrow.y)\n } : void 0 }, [_c(\"div\", { staticClass: \"v-popper__arrow-outer\" }), _c(\"div\", { staticClass: \"v-popper__arrow-inner\" })])])]);\n};\nvar staticRenderFns$2 = [];\nvar PopperContent_vue_vue_type_style_index_0_lang = \"\";\nfunction normalizeComponent(scriptExports, render2, staticRenderFns2, functionalTemplate, injectStyles, scopeId, moduleIdentifier, shadowMode) {\n var options2 = typeof scriptExports === \"function\" ? scriptExports.options : scriptExports;\n if (render2) {\n options2.render = render2;\n options2.staticRenderFns = staticRenderFns2;\n options2._compiled = true;\n }\n if (functionalTemplate) {\n options2.functional = true;\n }\n if (scopeId) {\n options2._scopeId = \"data-v-\" + scopeId;\n }\n var hook;\n if (moduleIdentifier) {\n hook = function(context) {\n context = context || this.$vnode && this.$vnode.ssrContext || this.parent && this.parent.$vnode && this.parent.$vnode.ssrContext;\n if (!context && typeof __VUE_SSR_CONTEXT__ !== \"undefined\") {\n context = __VUE_SSR_CONTEXT__;\n }\n if (injectStyles) {\n injectStyles.call(this, context);\n }\n if (context && context._registeredComponents) {\n context._registeredComponents.add(moduleIdentifier);\n }\n };\n options2._ssrRegister = hook;\n } else if (injectStyles) {\n hook = shadowMode ? function() {\n injectStyles.call(this, (options2.functional ? this.parent : this).$root.$options.shadowRoot);\n } : injectStyles;\n }\n if (hook) {\n if (options2.functional) {\n options2._injectStyles = hook;\n var originalRender = options2.render;\n options2.render = function renderWithStyleInjection(h, context) {\n hook.call(context);\n return originalRender(h, context);\n };\n } else {\n var existing = options2.beforeCreate;\n options2.beforeCreate = existing ? [].concat(existing, hook) : [hook];\n }\n }\n return {\n exports: scriptExports,\n options: options2\n };\n}\nconst __cssModules$5 = {};\nvar __component__$5 = /* @__PURE__ */ normalizeComponent(__vue2_script$5, render$2, staticRenderFns$2, false, __vue2_injectStyles$5, null, null, null);\nfunction __vue2_injectStyles$5(context) {\n for (let o in __cssModules$5) {\n this[o] = __cssModules$5[o];\n }\n}\nvar PrivatePopperContent = /* @__PURE__ */ function() {\n return __component__$5.exports;\n}();\nvar PrivatePopperMethods = {\n methods: {\n show(...args) {\n return this.$refs.popper.show(...args);\n },\n hide(...args) {\n return this.$refs.popper.hide(...args);\n },\n dispose(...args) {\n return this.$refs.popper.dispose(...args);\n },\n onResize(...args) {\n return this.$refs.popper.onResize(...args);\n }\n }\n};\nvar __vue2_script$4 = {\n name: \"VPopperWrapper\",\n components: {\n Popper: PrivatePopper(),\n PopperContent: PrivatePopperContent\n },\n mixins: [\n PrivatePopperMethods,\n PrivateThemeClass\n ],\n inheritAttrs: false,\n props: {\n theme: {\n type: String,\n default() {\n return this.$options.vPopperTheme;\n }\n }\n },\n methods: {\n getTargetNodes() {\n return Array.from(this.$refs.reference.children).filter((node) => node !== this.$refs.popperContent.$el);\n }\n }\n};\nvar render$1 = function() {\n var _vm = this;\n var _h = _vm.$createElement;\n var _c = _vm._self._c || _h;\n return _c(\"Popper\", _vm._g(_vm._b({ ref: \"popper\", attrs: { \"theme\": _vm.theme, \"target-nodes\": _vm.getTargetNodes, \"reference-node\": function() {\n return _vm.$refs.reference;\n }, \"popper-node\": function() {\n return _vm.$refs.popperContent.$el;\n } }, scopedSlots: _vm._u([{ key: \"default\", fn: function(ref) {\n var popperId = ref.popperId;\n var isShown = ref.isShown;\n var shouldMountContent = ref.shouldMountContent;\n var skipTransition = ref.skipTransition;\n var autoHide = ref.autoHide;\n var show = ref.show;\n var hide = ref.hide;\n var handleResize = ref.handleResize;\n var onResize = ref.onResize;\n var classes = ref.classes;\n var result = ref.result;\n return [_c(\"div\", { ref: \"reference\", staticClass: \"v-popper\", class: [\n _vm.themeClass,\n {\n \"v-popper--shown\": isShown\n }\n ] }, [_vm._t(\"default\", null, { \"shown\": isShown, \"show\": show, \"hide\": hide }), _c(\"PopperContent\", { ref: \"popperContent\", attrs: { \"popper-id\": popperId, \"theme\": _vm.theme, \"shown\": isShown, \"mounted\": shouldMountContent, \"skip-transition\": skipTransition, \"auto-hide\": autoHide, \"handle-resize\": handleResize, \"classes\": classes, \"result\": result }, on: { \"hide\": hide, \"resize\": onResize } }, [_vm._t(\"popper\", null, { \"shown\": isShown, \"hide\": hide })], 2)], 2)];\n } }], null, true) }, \"Popper\", _vm.$attrs, false), _vm.$listeners));\n};\nvar staticRenderFns$1 = [];\nconst __cssModules$4 = {};\nvar __component__$4 = /* @__PURE__ */ normalizeComponent(__vue2_script$4, render$1, staticRenderFns$1, false, __vue2_injectStyles$4, null, null, null);\nfunction __vue2_injectStyles$4(context) {\n for (let o in __cssModules$4) {\n this[o] = __cssModules$4[o];\n }\n}\nvar PrivatePopperWrapper = /* @__PURE__ */ function() {\n return __component__$4.exports;\n}();\nvar __vue2_script$3 = __spreadProps(__spreadValues({}, PrivatePopperWrapper), {\n name: \"VDropdown\",\n vPopperTheme: \"dropdown\"\n});\nvar Dropdown_vue_vue_type_style_index_0_lang = \"\";\nlet __vue2_render$2, __vue2_staticRenderFns$2;\nconst __cssModules$3 = {};\nvar __component__$3 = /* @__PURE__ */ normalizeComponent(__vue2_script$3, __vue2_render$2, __vue2_staticRenderFns$2, false, __vue2_injectStyles$3, null, null, null);\nfunction __vue2_injectStyles$3(context) {\n for (let o in __cssModules$3) {\n this[o] = __cssModules$3[o];\n }\n}\nvar PrivateDropdown = /* @__PURE__ */ function() {\n return __component__$3.exports;\n}();\nvar __vue2_script$2 = __spreadProps(__spreadValues({}, PrivatePopperWrapper), {\n name: \"VMenu\",\n vPopperTheme: \"menu\"\n});\nlet __vue2_render$1, __vue2_staticRenderFns$1;\nconst __cssModules$2 = {};\nvar __component__$2 = /* @__PURE__ */ normalizeComponent(__vue2_script$2, __vue2_render$1, __vue2_staticRenderFns$1, false, __vue2_injectStyles$2, null, null, null);\nfunction __vue2_injectStyles$2(context) {\n for (let o in __cssModules$2) {\n this[o] = __cssModules$2[o];\n }\n}\nvar PrivateMenu = /* @__PURE__ */ function() {\n return __component__$2.exports;\n}();\nvar __vue2_script$1 = __spreadProps(__spreadValues({}, PrivatePopperWrapper), {\n name: \"VTooltip\",\n vPopperTheme: \"tooltip\"\n});\nvar Tooltip_vue_vue_type_style_index_0_lang = \"\";\nlet __vue2_render, __vue2_staticRenderFns;\nconst __cssModules$1 = {};\nvar __component__$1 = /* @__PURE__ */ normalizeComponent(__vue2_script$1, __vue2_render, __vue2_staticRenderFns, false, __vue2_injectStyles$1, null, null, null);\nfunction __vue2_injectStyles$1(context) {\n for (let o in __cssModules$1) {\n this[o] = __cssModules$1[o];\n }\n}\nvar PrivateTooltip = /* @__PURE__ */ function() {\n return __component__$1.exports;\n}();\nvar __vue2_script = {\n name: \"VTooltipDirective\",\n components: {\n Popper: PrivatePopper(),\n PopperContent: PrivatePopperContent\n },\n mixins: [\n PrivatePopperMethods\n ],\n inheritAttrs: false,\n props: {\n theme: {\n type: String,\n default: \"tooltip\"\n },\n html: {\n type: Boolean,\n default() {\n return getDefaultConfig(this.theme, \"html\");\n }\n },\n content: {\n type: [String, Number, Function],\n default: null\n },\n loadingContent: {\n type: String,\n default() {\n return getDefaultConfig(this.theme, \"loadingContent\");\n }\n }\n },\n data() {\n return {\n asyncContent: null\n };\n },\n computed: {\n isContentAsync() {\n return typeof this.content === \"function\";\n },\n loading() {\n return this.isContentAsync && this.asyncContent == null;\n },\n finalContent() {\n if (this.isContentAsync) {\n return this.loading ? this.loadingContent : this.asyncContent;\n }\n return this.content;\n }\n },\n watch: {\n content: {\n handler() {\n this.fetchContent(true);\n },\n immediate: true\n },\n async finalContent(value) {\n await this.$nextTick();\n this.$refs.popper.onResize();\n }\n },\n created() {\n this.$_fetchId = 0;\n },\n methods: {\n fetchContent(force) {\n if (typeof this.content === \"function\" && this.$_isShown && (force || !this.$_loading && this.asyncContent == null)) {\n this.asyncContent = null;\n this.$_loading = true;\n const fetchId = ++this.$_fetchId;\n const result = this.content(this);\n if (result.then) {\n result.then((res) => this.onResult(fetchId, res));\n } else {\n this.onResult(fetchId, result);\n }\n }\n },\n onResult(fetchId, result) {\n if (fetchId !== this.$_fetchId)\n return;\n this.$_loading = false;\n this.asyncContent = result;\n },\n onShow() {\n this.$_isShown = true;\n this.fetchContent();\n },\n onHide() {\n this.$_isShown = false;\n }\n }\n};\nvar render = function() {\n var _vm = this;\n var _h = _vm.$createElement;\n var _c = _vm._self._c || _h;\n return _c(\"Popper\", _vm._g(_vm._b({ ref: \"popper\", attrs: { \"theme\": _vm.theme, \"popper-node\": function() {\n return _vm.$refs.popperContent.$el;\n } }, on: { \"apply-show\": _vm.onShow, \"apply-hide\": _vm.onHide }, scopedSlots: _vm._u([{ key: \"default\", fn: function(ref) {\n var popperId = ref.popperId;\n var isShown = ref.isShown;\n var shouldMountContent = ref.shouldMountContent;\n var skipTransition = ref.skipTransition;\n var autoHide = ref.autoHide;\n var hide = ref.hide;\n var handleResize = ref.handleResize;\n var onResize = ref.onResize;\n var classes = ref.classes;\n var result = ref.result;\n return [_c(\"PopperContent\", { ref: \"popperContent\", class: {\n \"v-popper--tooltip-loading\": _vm.loading\n }, attrs: { \"popper-id\": popperId, \"theme\": _vm.theme, \"shown\": isShown, \"mounted\": shouldMountContent, \"skip-transition\": skipTransition, \"auto-hide\": autoHide, \"handle-resize\": handleResize, \"classes\": classes, \"result\": result }, on: { \"hide\": hide, \"resize\": onResize } }, [_vm.html ? _c(\"div\", { domProps: { \"innerHTML\": _vm._s(_vm.finalContent) } }) : _c(\"div\", { domProps: { \"textContent\": _vm._s(_vm.finalContent) } })])];\n } }]) }, \"Popper\", _vm.$attrs, false), _vm.$listeners));\n};\nvar staticRenderFns = [];\nconst __cssModules = {};\nvar __component__ = /* @__PURE__ */ normalizeComponent(__vue2_script, render, staticRenderFns, false, __vue2_injectStyles, null, null, null);\nfunction __vue2_injectStyles(context) {\n for (let o in __cssModules) {\n this[o] = __cssModules[o];\n }\n}\nvar PrivateTooltipDirective = /* @__PURE__ */ function() {\n return __component__.exports;\n}();\nconst TARGET_CLASS = \"v-popper--has-tooltip\";\nfunction getPlacement(options2, modifiers) {\n let result = options2.placement;\n if (!result && modifiers) {\n for (const pos of placements) {\n if (modifiers[pos]) {\n result = pos;\n }\n }\n }\n if (!result) {\n result = getDefaultConfig(options2.theme || \"tooltip\", \"placement\");\n }\n return result;\n}\nfunction getOptions(el, value, modifiers) {\n let options2;\n const type = typeof value;\n if (type === \"string\") {\n options2 = { content: value };\n } else if (value && type === \"object\") {\n options2 = value;\n } else {\n options2 = { content: false };\n }\n options2.placement = getPlacement(options2, modifiers);\n options2.targetNodes = () => [el];\n options2.referenceNode = () => el;\n return options2;\n}\nfunction createTooltip(el, value, modifiers) {\n const options2 = getOptions(el, value, modifiers);\n const tooltipApp = el.$_popper = new Vue({\n mixins: [\n PrivatePopperMethods\n ],\n data() {\n return {\n options: options2\n };\n },\n render(h) {\n const _a = this.options, {\n theme,\n html,\n content,\n loadingContent\n } = _a, otherOptions = __objRest(_a, [\n \"theme\",\n \"html\",\n \"content\",\n \"loadingContent\"\n ]);\n return h(PrivateTooltipDirective, {\n props: {\n theme,\n html,\n content,\n loadingContent\n },\n attrs: otherOptions,\n ref: \"popper\"\n });\n },\n devtools: {\n hide: true\n }\n });\n const mountTarget = document.createElement(\"div\");\n document.body.appendChild(mountTarget);\n tooltipApp.$mount(mountTarget);\n if (el.classList) {\n el.classList.add(TARGET_CLASS);\n }\n return tooltipApp;\n}\nfunction destroyTooltip(el) {\n if (el.$_popper) {\n el.$_popper.$destroy();\n delete el.$_popper;\n delete el.$_popperOldShown;\n }\n if (el.classList) {\n el.classList.remove(TARGET_CLASS);\n }\n}\nfunction bind(el, { value, oldValue, modifiers }) {\n const options2 = getOptions(el, value, modifiers);\n if (!options2.content || getDefaultConfig(options2.theme || \"tooltip\", \"disabled\")) {\n destroyTooltip(el);\n } else {\n let tooltipApp;\n if (el.$_popper) {\n tooltipApp = el.$_popper;\n tooltipApp.options = options2;\n } else {\n tooltipApp = createTooltip(el, value, modifiers);\n }\n if (typeof value.shown !== \"undefined\" && value.shown !== el.$_popperOldShown) {\n el.$_popperOldShown = value.shown;\n value.shown ? tooltipApp.show() : tooltipApp.hide();\n }\n }\n}\nvar PrivateVTooltip = {\n bind,\n update: bind,\n unbind(el) {\n destroyTooltip(el);\n }\n};\nfunction addListeners(el) {\n el.addEventListener(\"click\", onClick);\n el.addEventListener(\"touchstart\", onTouchStart, supportsPassive ? {\n passive: true\n } : false);\n}\nfunction removeListeners(el) {\n el.removeEventListener(\"click\", onClick);\n el.removeEventListener(\"touchstart\", onTouchStart);\n el.removeEventListener(\"touchend\", onTouchEnd);\n el.removeEventListener(\"touchcancel\", onTouchCancel);\n}\nfunction onClick(event) {\n const el = event.currentTarget;\n event.closePopover = !el.$_vclosepopover_touch;\n event.closeAllPopover = el.$_closePopoverModifiers && !!el.$_closePopoverModifiers.all;\n}\nfunction onTouchStart(event) {\n if (event.changedTouches.length === 1) {\n const el = event.currentTarget;\n el.$_vclosepopover_touch = true;\n const touch = event.changedTouches[0];\n el.$_vclosepopover_touchPoint = touch;\n el.addEventListener(\"touchend\", onTouchEnd);\n el.addEventListener(\"touchcancel\", onTouchCancel);\n }\n}\nfunction onTouchEnd(event) {\n const el = event.currentTarget;\n el.$_vclosepopover_touch = false;\n if (event.changedTouches.length === 1) {\n const touch = event.changedTouches[0];\n const firstTouch = el.$_vclosepopover_touchPoint;\n event.closePopover = Math.abs(touch.screenY - firstTouch.screenY) < 20 && Math.abs(touch.screenX - firstTouch.screenX) < 20;\n event.closeAllPopover = el.$_closePopoverModifiers && !!el.$_closePopoverModifiers.all;\n }\n}\nfunction onTouchCancel(event) {\n const el = event.currentTarget;\n el.$_vclosepopover_touch = false;\n}\nvar PrivateVClosePopper = {\n bind(el, { value, modifiers }) {\n el.$_closePopoverModifiers = modifiers;\n if (typeof value === \"undefined\" || value) {\n addListeners(el);\n }\n },\n update(el, { value, oldValue, modifiers }) {\n el.$_closePopoverModifiers = modifiers;\n if (value !== oldValue) {\n if (typeof value === \"undefined\" || value) {\n addListeners(el);\n } else {\n removeListeners(el);\n }\n }\n },\n unbind(el) {\n removeListeners(el);\n }\n};\nconst options = config;\nconst VTooltip = PrivateVTooltip;\nconst VClosePopper = PrivateVClosePopper;\nconst Dropdown = PrivateDropdown;\nconst Menu = PrivateMenu;\nconst Popper = PrivatePopper;\nconst PopperContent = PrivatePopperContent;\nconst PopperMethods = PrivatePopperMethods;\nconst PopperWrapper = PrivatePopperWrapper;\nconst ThemeClass = PrivateThemeClass;\nconst Tooltip = PrivateTooltip;\nconst TooltipDirective = PrivateTooltipDirective;\nfunction install(app, options2 = {}) {\n if (app.$_vTooltipInstalled)\n return;\n app.$_vTooltipInstalled = true;\n assign(config, options2);\n app.directive(\"tooltip\", PrivateVTooltip);\n app.directive(\"close-popper\", PrivateVClosePopper);\n app.component(\"v-tooltip\", PrivateTooltip);\n app.component(\"VTooltip\", PrivateTooltip);\n app.component(\"v-dropdown\", PrivateDropdown);\n app.component(\"VDropdown\", PrivateDropdown);\n app.component(\"v-menu\", PrivateMenu);\n app.component(\"VMenu\", PrivateMenu);\n}\nconst plugin = {\n version: \"1.0.0-beta.19\",\n install,\n options: config\n};\nlet GlobalVue = null;\nif (typeof window !== \"undefined\") {\n GlobalVue = window.Vue;\n} else if (typeof global !== \"undefined\") {\n GlobalVue = global.Vue;\n}\nif (GlobalVue) {\n GlobalVue.use(plugin);\n}\nexport { Dropdown, HIDE_EVENT_MAP, Menu, Popper, PopperContent, PopperMethods, PopperWrapper, SHOW_EVENT_MAP, ThemeClass, Tooltip, TooltipDirective, VClosePopper, VTooltip, createTooltip, plugin as default, destroyTooltip, hideAllPoppers, install, options, placements };\n","/*!\n* tabbable 6.2.0\n* @license MIT, https://github.com/focus-trap/tabbable/blob/master/LICENSE\n*/\n// NOTE: separate `:not()` selectors has broader browser support than the newer\n// `:not([inert], [inert] *)` (Feb 2023)\n// CAREFUL: JSDom does not support `:not([inert] *)` as a selector; using it causes\n// the entire query to fail, resulting in no nodes found, which will break a lot\n// of things... so we have to rely on JS to identify nodes inside an inert container\nvar candidateSelectors = ['input:not([inert])', 'select:not([inert])', 'textarea:not([inert])', 'a[href]:not([inert])', 'button:not([inert])', '[tabindex]:not(slot):not([inert])', 'audio[controls]:not([inert])', 'video[controls]:not([inert])', '[contenteditable]:not([contenteditable=\"false\"]):not([inert])', 'details>summary:first-of-type:not([inert])', 'details:not([inert])'];\nvar candidateSelector = /* #__PURE__ */candidateSelectors.join(',');\nvar NoElement = typeof Element === 'undefined';\nvar matches = NoElement ? function () {} : Element.prototype.matches || Element.prototype.msMatchesSelector || Element.prototype.webkitMatchesSelector;\nvar getRootNode = !NoElement && Element.prototype.getRootNode ? function (element) {\n var _element$getRootNode;\n return element === null || element === void 0 ? void 0 : (_element$getRootNode = element.getRootNode) === null || _element$getRootNode === void 0 ? void 0 : _element$getRootNode.call(element);\n} : function (element) {\n return element === null || element === void 0 ? void 0 : element.ownerDocument;\n};\n\n/**\n * Determines if a node is inert or in an inert ancestor.\n * @param {Element} [node]\n * @param {boolean} [lookUp] If true and `node` is not inert, looks up at ancestors to\n * see if any of them are inert. If false, only `node` itself is considered.\n * @returns {boolean} True if inert itself or by way of being in an inert ancestor.\n * False if `node` is falsy.\n */\nvar isInert = function isInert(node, lookUp) {\n var _node$getAttribute;\n if (lookUp === void 0) {\n lookUp = true;\n }\n // CAREFUL: JSDom does not support inert at all, so we can't use the `HTMLElement.inert`\n // JS API property; we have to check the attribute, which can either be empty or 'true';\n // if it's `null` (not specified) or 'false', it's an active element\n var inertAtt = node === null || node === void 0 ? void 0 : (_node$getAttribute = node.getAttribute) === null || _node$getAttribute === void 0 ? void 0 : _node$getAttribute.call(node, 'inert');\n var inert = inertAtt === '' || inertAtt === 'true';\n\n // NOTE: this could also be handled with `node.matches('[inert], :is([inert] *)')`\n // if it weren't for `matches()` not being a function on shadow roots; the following\n // code works for any kind of node\n // CAREFUL: JSDom does not appear to support certain selectors like `:not([inert] *)`\n // so it likely would not support `:is([inert] *)` either...\n var result = inert || lookUp && node && isInert(node.parentNode); // recursive\n\n return result;\n};\n\n/**\n * Determines if a node's content is editable.\n * @param {Element} [node]\n * @returns True if it's content-editable; false if it's not or `node` is falsy.\n */\nvar isContentEditable = function isContentEditable(node) {\n var _node$getAttribute2;\n // CAREFUL: JSDom does not support the `HTMLElement.isContentEditable` API so we have\n // to use the attribute directly to check for this, which can either be empty or 'true';\n // if it's `null` (not specified) or 'false', it's a non-editable element\n var attValue = node === null || node === void 0 ? void 0 : (_node$getAttribute2 = node.getAttribute) === null || _node$getAttribute2 === void 0 ? void 0 : _node$getAttribute2.call(node, 'contenteditable');\n return attValue === '' || attValue === 'true';\n};\n\n/**\n * @param {Element} el container to check in\n * @param {boolean} includeContainer add container to check\n * @param {(node: Element) => boolean} filter filter candidates\n * @returns {Element[]}\n */\nvar getCandidates = function getCandidates(el, includeContainer, filter) {\n // even if `includeContainer=false`, we still have to check it for inertness because\n // if it's inert, all its children are inert\n if (isInert(el)) {\n return [];\n }\n var candidates = Array.prototype.slice.apply(el.querySelectorAll(candidateSelector));\n if (includeContainer && matches.call(el, candidateSelector)) {\n candidates.unshift(el);\n }\n candidates = candidates.filter(filter);\n return candidates;\n};\n\n/**\n * @callback GetShadowRoot\n * @param {Element} element to check for shadow root\n * @returns {ShadowRoot|boolean} ShadowRoot if available or boolean indicating if a shadowRoot is attached but not available.\n */\n\n/**\n * @callback ShadowRootFilter\n * @param {Element} shadowHostNode the element which contains shadow content\n * @returns {boolean} true if a shadow root could potentially contain valid candidates.\n */\n\n/**\n * @typedef {Object} CandidateScope\n * @property {Element} scopeParent contains inner candidates\n * @property {Element[]} candidates list of candidates found in the scope parent\n */\n\n/**\n * @typedef {Object} IterativeOptions\n * @property {GetShadowRoot|boolean} getShadowRoot true if shadow support is enabled; falsy if not;\n * if a function, implies shadow support is enabled and either returns the shadow root of an element\n * or a boolean stating if it has an undisclosed shadow root\n * @property {(node: Element) => boolean} filter filter candidates\n * @property {boolean} flatten if true then result will flatten any CandidateScope into the returned list\n * @property {ShadowRootFilter} shadowRootFilter filter shadow roots;\n */\n\n/**\n * @param {Element[]} elements list of element containers to match candidates from\n * @param {boolean} includeContainer add container list to check\n * @param {IterativeOptions} options\n * @returns {Array.}\n */\nvar getCandidatesIteratively = function getCandidatesIteratively(elements, includeContainer, options) {\n var candidates = [];\n var elementsToCheck = Array.from(elements);\n while (elementsToCheck.length) {\n var element = elementsToCheck.shift();\n if (isInert(element, false)) {\n // no need to look up since we're drilling down\n // anything inside this container will also be inert\n continue;\n }\n if (element.tagName === 'SLOT') {\n // add shadow dom slot scope (slot itself cannot be focusable)\n var assigned = element.assignedElements();\n var content = assigned.length ? assigned : element.children;\n var nestedCandidates = getCandidatesIteratively(content, true, options);\n if (options.flatten) {\n candidates.push.apply(candidates, nestedCandidates);\n } else {\n candidates.push({\n scopeParent: element,\n candidates: nestedCandidates\n });\n }\n } else {\n // check candidate element\n var validCandidate = matches.call(element, candidateSelector);\n if (validCandidate && options.filter(element) && (includeContainer || !elements.includes(element))) {\n candidates.push(element);\n }\n\n // iterate over shadow content if possible\n var shadowRoot = element.shadowRoot ||\n // check for an undisclosed shadow\n typeof options.getShadowRoot === 'function' && options.getShadowRoot(element);\n\n // no inert look up because we're already drilling down and checking for inertness\n // on the way down, so all containers to this root node should have already been\n // vetted as non-inert\n var validShadowRoot = !isInert(shadowRoot, false) && (!options.shadowRootFilter || options.shadowRootFilter(element));\n if (shadowRoot && validShadowRoot) {\n // add shadow dom scope IIF a shadow root node was given; otherwise, an undisclosed\n // shadow exists, so look at light dom children as fallback BUT create a scope for any\n // child candidates found because they're likely slotted elements (elements that are\n // children of the web component element (which has the shadow), in the light dom, but\n // slotted somewhere _inside_ the undisclosed shadow) -- the scope is created below,\n // _after_ we return from this recursive call\n var _nestedCandidates = getCandidatesIteratively(shadowRoot === true ? element.children : shadowRoot.children, true, options);\n if (options.flatten) {\n candidates.push.apply(candidates, _nestedCandidates);\n } else {\n candidates.push({\n scopeParent: element,\n candidates: _nestedCandidates\n });\n }\n } else {\n // there's not shadow so just dig into the element's (light dom) children\n // __without__ giving the element special scope treatment\n elementsToCheck.unshift.apply(elementsToCheck, element.children);\n }\n }\n }\n return candidates;\n};\n\n/**\n * @private\n * Determines if the node has an explicitly specified `tabindex` attribute.\n * @param {HTMLElement} node\n * @returns {boolean} True if so; false if not.\n */\nvar hasTabIndex = function hasTabIndex(node) {\n return !isNaN(parseInt(node.getAttribute('tabindex'), 10));\n};\n\n/**\n * Determine the tab index of a given node.\n * @param {HTMLElement} node\n * @returns {number} Tab order (negative, 0, or positive number).\n * @throws {Error} If `node` is falsy.\n */\nvar getTabIndex = function getTabIndex(node) {\n if (!node) {\n throw new Error('No node provided');\n }\n if (node.tabIndex < 0) {\n // in Chrome,
,