From 83e994c11fcc25a525e604bf7cc100f574794e02 Mon Sep 17 00:00:00 2001 From: Christoph Wurst Date: Thu, 11 Oct 2018 12:20:18 +0200 Subject: [PATCH] Make it possible to enforce mandatory 2FA for groups Signed-off-by: Christoph Wurst --- core/Command/TwoFactorAuth/Enforce.php | 37 ++++- lib/composer/composer/autoload_classmap.php | 1 + lib/composer/composer/autoload_static.php | 1 + .../TwoFactorAuth/EnforcementState.php | 85 ++++++++++ .../Authentication/TwoFactorAuth/Manager.php | 2 +- .../TwoFactorAuth/MandatoryTwoFactor.php | 77 ++++++++- .../TwoFactorSettingsController.php | 19 +-- settings/js/0.js | 4 +- settings/js/0.js.map | 2 +- settings/js/1.js.map | 1 + settings/js/3.js | 2 +- settings/js/3.js.map | 2 +- settings/js/4.js | 2 +- settings/js/4.js.map | 2 +- settings/js/5.js | 4 +- settings/js/6.js | 33 ++++ settings/js/6.js.map | 1 + settings/js/settings-admin-security.js | 109 ++++++++++++- settings/js/settings-admin-security.js.map | 2 +- settings/js/settings-vue.js | 8 +- settings/js/settings-vue.js.map | 2 +- settings/package-lock.json | 48 ++---- settings/package.json | 1 + settings/src/components/AdminTwoFactor.vue | 106 ++++++++++--- .../Command/TwoFactorAuth/EnforceTest.php | 61 ++++++-- .../TwoFactorSettingsControllerTest.php | 22 +-- .../TwoFactorAuth/EnforcementStateTest.php | 67 ++++++++ .../TwoFactorAuth/ManagerTest.php | 41 ++--- .../TwoFactorAuth/MandatoryTwoFactorTest.php | 146 +++++++++++++++--- 29 files changed, 729 insertions(+), 159 deletions(-) create mode 100644 lib/private/Authentication/TwoFactorAuth/EnforcementState.php create mode 100644 settings/js/1.js.map create mode 100644 settings/js/6.js create mode 100644 settings/js/6.js.map create mode 100644 tests/lib/Authentication/TwoFactorAuth/EnforcementStateTest.php diff --git a/core/Command/TwoFactorAuth/Enforce.php b/core/Command/TwoFactorAuth/Enforce.php index 44103e718e..dc631aac06 100644 --- a/core/Command/TwoFactorAuth/Enforce.php +++ b/core/Command/TwoFactorAuth/Enforce.php @@ -26,6 +26,8 @@ declare(strict_types=1); namespace OC\Core\Command\TwoFactorAuth; +use function implode; +use OC\Authentication\TwoFactorAuth\EnforcementState; use OC\Authentication\TwoFactorAuth\MandatoryTwoFactor; use Symfony\Component\Console\Command\Command; use Symfony\Component\Console\Input\InputInterface; @@ -58,17 +60,32 @@ class Enforce extends Command { InputOption::VALUE_NONE, 'don\'t enforce two-factor authenticaton' ); + $this->addOption( + 'group', + null, + InputOption::VALUE_OPTIONAL | InputOption::VALUE_IS_ARRAY, + 'enforce only for the given group(s)' + ); + $this->addOption( + 'exclude', + null, + InputOption::VALUE_OPTIONAL | InputOption::VALUE_IS_ARRAY, + 'exclude mandatory two-factor auth for the given group(s)' + ); } protected function execute(InputInterface $input, OutputInterface $output) { if ($input->getOption('on')) { - $this->mandatoryTwoFactor->setEnforced(true); + $enforcedGroups = $input->getOption('group'); + $excludedGroups = $input->getOption('exclude'); + $this->mandatoryTwoFactor->setState(new EnforcementState(true, $enforcedGroups, $excludedGroups)); } elseif ($input->getOption('off')) { - $this->mandatoryTwoFactor->setEnforced(false); + $this->mandatoryTwoFactor->setState(new EnforcementState(false)); } - if ($this->mandatoryTwoFactor->isEnforced()) { - $this->writeEnforced($output); + $state = $this->mandatoryTwoFactor->getState(); + if ($state->isEnforced()) { + $this->writeEnforced($output, $state); } else { $this->writeNotEnforced($output); } @@ -77,8 +94,16 @@ class Enforce extends Command { /** * @param OutputInterface $output */ - protected function writeEnforced(OutputInterface $output) { - $output->writeln('Two-factor authentication is enforced for all users'); + protected function writeEnforced(OutputInterface $output, EnforcementState $state) { + if (empty($state->getEnforcedGroups())) { + $message = 'Two-factor authentication is enforced for all users'; + } else { + $message = 'Two-factor authentication is enforced for members of the group(s) ' . implode(', ', $state->getEnforcedGroups()); + } + if (!empty($state->getExcludedGroups())) { + $message .= ', except members of ' . implode(', ', $state->getExcludedGroups()); + } + $output->writeln($message); } /** diff --git a/lib/composer/composer/autoload_classmap.php b/lib/composer/composer/autoload_classmap.php index 03abf44d1c..dba31c99a1 100644 --- a/lib/composer/composer/autoload_classmap.php +++ b/lib/composer/composer/autoload_classmap.php @@ -460,6 +460,7 @@ return array( 'OC\\Authentication\\Token\\PublicKeyTokenMapper' => $baseDir . '/lib/private/Authentication/Token/PublicKeyTokenMapper.php', 'OC\\Authentication\\Token\\PublicKeyTokenProvider' => $baseDir . '/lib/private/Authentication/Token/PublicKeyTokenProvider.php', 'OC\\Authentication\\TwoFactorAuth\\Db\\ProviderUserAssignmentDao' => $baseDir . '/lib/private/Authentication/TwoFactorAuth/Db/ProviderUserAssignmentDao.php', + 'OC\\Authentication\\TwoFactorAuth\\EnforcementState' => $baseDir . '/lib/private/Authentication/TwoFactorAuth/EnforcementState.php', 'OC\\Authentication\\TwoFactorAuth\\Manager' => $baseDir . '/lib/private/Authentication/TwoFactorAuth/Manager.php', 'OC\\Authentication\\TwoFactorAuth\\MandatoryTwoFactor' => $baseDir . '/lib/private/Authentication/TwoFactorAuth/MandatoryTwoFactor.php', 'OC\\Authentication\\TwoFactorAuth\\ProviderLoader' => $baseDir . '/lib/private/Authentication/TwoFactorAuth/ProviderLoader.php', diff --git a/lib/composer/composer/autoload_static.php b/lib/composer/composer/autoload_static.php index 4f6cd74ac1..927f14ff72 100644 --- a/lib/composer/composer/autoload_static.php +++ b/lib/composer/composer/autoload_static.php @@ -490,6 +490,7 @@ class ComposerStaticInit53792487c5a8370acc0b06b1a864ff4c 'OC\\Authentication\\Token\\PublicKeyTokenMapper' => __DIR__ . '/../../..' . '/lib/private/Authentication/Token/PublicKeyTokenMapper.php', 'OC\\Authentication\\Token\\PublicKeyTokenProvider' => __DIR__ . '/../../..' . '/lib/private/Authentication/Token/PublicKeyTokenProvider.php', 'OC\\Authentication\\TwoFactorAuth\\Db\\ProviderUserAssignmentDao' => __DIR__ . '/../../..' . '/lib/private/Authentication/TwoFactorAuth/Db/ProviderUserAssignmentDao.php', + 'OC\\Authentication\\TwoFactorAuth\\EnforcementState' => __DIR__ . '/../../..' . '/lib/private/Authentication/TwoFactorAuth/EnforcementState.php', 'OC\\Authentication\\TwoFactorAuth\\Manager' => __DIR__ . '/../../..' . '/lib/private/Authentication/TwoFactorAuth/Manager.php', 'OC\\Authentication\\TwoFactorAuth\\MandatoryTwoFactor' => __DIR__ . '/../../..' . '/lib/private/Authentication/TwoFactorAuth/MandatoryTwoFactor.php', 'OC\\Authentication\\TwoFactorAuth\\ProviderLoader' => __DIR__ . '/../../..' . '/lib/private/Authentication/TwoFactorAuth/ProviderLoader.php', diff --git a/lib/private/Authentication/TwoFactorAuth/EnforcementState.php b/lib/private/Authentication/TwoFactorAuth/EnforcementState.php new file mode 100644 index 0000000000..11a3d2c410 --- /dev/null +++ b/lib/private/Authentication/TwoFactorAuth/EnforcementState.php @@ -0,0 +1,85 @@ + + * + * @author 2018 Christoph Wurst + * + * @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 OC\Authentication\TwoFactorAuth; + +use JsonSerializable; + +class EnforcementState implements JsonSerializable { + + /** @var bool */ + private $enforced; + + /** @var array */ + private $enforcedGroups; + + /** @var array */ + private $excludedGroups; + + /** + * EnforcementState constructor. + * + * @param bool $enforced + * @param string[] $enforcedGroups + * @param string[] $excludedGroups + */ + public function __construct(bool $enforced, + array $enforcedGroups = [], + array $excludedGroups = []) { + $this->enforced = $enforced; + $this->enforcedGroups = $enforcedGroups; + $this->excludedGroups = $excludedGroups; + } + + /** + * @return string[] + */ + public function isEnforced(): bool { + return $this->enforced; + } + + /** + * @return string[] + */ + public function getEnforcedGroups(): array { + return $this->enforcedGroups; + } + + /** + * @return string[] + */ + public function getExcludedGroups(): array { + return $this->excludedGroups; + } + + public function jsonSerialize(): array { + return [ + 'enforced' => $this->enforced, + 'enforcedGroups' => $this->enforcedGroups, + 'excludedGroups' => $this->excludedGroups, + ]; + } + +} diff --git a/lib/private/Authentication/TwoFactorAuth/Manager.php b/lib/private/Authentication/TwoFactorAuth/Manager.php index 2307a73100..56fca8a745 100644 --- a/lib/private/Authentication/TwoFactorAuth/Manager.php +++ b/lib/private/Authentication/TwoFactorAuth/Manager.php @@ -106,7 +106,7 @@ class Manager { * @return boolean */ public function isTwoFactorAuthenticated(IUser $user): bool { - if ($this->mandatoryTwoFactor->isEnforced()) { + if ($this->mandatoryTwoFactor->isEnforcedFor($user)) { return true; } diff --git a/lib/private/Authentication/TwoFactorAuth/MandatoryTwoFactor.php b/lib/private/Authentication/TwoFactorAuth/MandatoryTwoFactor.php index a23a10a1be..45dcb8655c 100644 --- a/lib/private/Authentication/TwoFactorAuth/MandatoryTwoFactor.php +++ b/lib/private/Authentication/TwoFactorAuth/MandatoryTwoFactor.php @@ -27,22 +27,89 @@ declare(strict_types=1); namespace OC\Authentication\TwoFactorAuth; use OCP\IConfig; +use OCP\IGroupManager; +use OCP\IUser; class MandatoryTwoFactor { /** @var IConfig */ private $config; - public function __construct(IConfig $config) { + /** @var IGroupManager */ + private $groupManager; + + public function __construct(IConfig $config, IGroupManager $groupManager) { $this->config = $config; + $this->groupManager = $groupManager; } - public function isEnforced(): bool { - return $this->config->getSystemValue('twofactor_enforced', 'false') === 'true'; + /** + * Get the state of enforced two-factor auth + */ + public function getState(): EnforcementState { + return new EnforcementState( + $this->config->getSystemValue('twofactor_enforced', 'false') === 'true', + $this->config->getSystemValue('twofactor_enforced_groups', []), + $this->config->getSystemValue('twofactor_enforced_excluded_groups', []) + ); } - public function setEnforced(bool $enforced) { - $this->config->setSystemValue('twofactor_enforced', $enforced ? 'true' : 'false'); + /** + * Set the state of enforced two-factor auth + */ + public function setState(EnforcementState $state) { + $this->config->setSystemValue('twofactor_enforced', $state->isEnforced() ? 'true' : 'false'); + $this->config->setSystemValue('twofactor_enforced_groups', $state->getEnforcedGroups()); + $this->config->setSystemValue('twofactor_enforced_excluded_groups', $state->getExcludedGroups()); } + /** + * Check if two-factor auth is enforced for a specific user + * + * The admin(s) can enforce two-factor auth system-wide, for certain groups only + * and also have the option to exclude users of certain groups. This method will + * check their membership of those groups. + * + * @param IUser $user + * + * @return bool + */ + public function isEnforcedFor(IUser $user): bool { + $state = $this->getState(); + if (!$state->isEnforced()) { + return false; + } + $uid = $user->getUID(); + + /* + * If there is a list of enforced groups, we only enforce 2FA for members of those groups. + * For all the other users it is not enforced (overruling the excluded groups list). + */ + if (!empty($state->getEnforcedGroups())) { + foreach ($state->getEnforcedGroups() as $group) { + if ($this->groupManager->isInGroup($uid, $group)) { + return true; + } + } + // Not a member of any of these groups -> no 2FA enforced + return false; + } + + /** + * If the user is member of an excluded group, 2FA won't be enforced. + */ + foreach ($state->getExcludedGroups() as $group) { + if ($this->groupManager->isInGroup($uid, $group)) { + return false; + } + } + + /** + * No enforced groups configured and user not member of an excluded groups, + * so 2FA is enforced. + */ + return true; + } + + } diff --git a/settings/Controller/TwoFactorSettingsController.php b/settings/Controller/TwoFactorSettingsController.php index 87dbd97b80..6464886491 100644 --- a/settings/Controller/TwoFactorSettingsController.php +++ b/settings/Controller/TwoFactorSettingsController.php @@ -26,12 +26,11 @@ declare(strict_types=1); namespace OC\Settings\Controller; +use OC\Authentication\TwoFactorAuth\EnforcementState; use OC\Authentication\TwoFactorAuth\MandatoryTwoFactor; use OCP\AppFramework\Controller; use OCP\AppFramework\Http\JSONResponse; -use OCP\AppFramework\Http\Response; use OCP\IRequest; -use OCP\JSON; class TwoFactorSettingsController extends Controller { @@ -46,18 +45,16 @@ class TwoFactorSettingsController extends Controller { $this->mandatoryTwoFactor = $mandatoryTwoFactor; } - public function index(): Response { - return new JSONResponse([ - 'enabled' => $this->mandatoryTwoFactor->isEnforced(), - ]); + public function index(): JSONResponse { + return new JSONResponse($this->mandatoryTwoFactor->getState()); } - public function update(bool $enabled): Response { - $this->mandatoryTwoFactor->setEnforced($enabled); + public function update(bool $enforced, array $enforcedGroups = [], array $excludedGroups = []): JSONResponse { + $this->mandatoryTwoFactor->setState( + new EnforcementState($enforced, $enforcedGroups, $excludedGroups) + ); - return new JSONResponse([ - 'enabled' => $enabled - ]); + return new JSONResponse($this->mandatoryTwoFactor->getState()); } } \ No newline at end of file diff --git a/settings/js/0.js b/settings/js/0.js index ee25a7dd1e..ec1244360a 100644 --- a/settings/js/0.js +++ b/settings/js/0.js @@ -1,4 +1,4 @@ -(window.webpackJsonp=window.webpackJsonp||[]).push([[0],{318:function(t,e,n){t.exports=function(t){function e(r){if(n[r])return n[r].exports;var i=n[r]={i:r,l:!1,exports:{}};return t[r].call(i.exports,i,i.exports,e),i.l=!0,i.exports}var n={};return e.m=t,e.c=n,e.i=function(t){return t},e.d=function(t,n,r){e.o(t,n)||Object.defineProperty(t,n,{configurable:!1,enumerable:!0,get:r})},e.n=function(t){var n=t&&t.__esModule?function(){return t.default}:function(){return t};return e.d(n,"a",n),n},e.o=function(t,e){return Object.prototype.hasOwnProperty.call(t,e)},e.p="/",e(e.s=60)}([function(t,e){var n=t.exports="undefined"!=typeof window&&window.Math==Math?window:"undefined"!=typeof self&&self.Math==Math?self:Function("return this")();"number"==typeof __g&&(__g=n)},function(t,e,n){var r=n(49)("wks"),i=n(30),o=n(0).Symbol,a="function"==typeof o;(t.exports=function(t){return r[t]||(r[t]=a&&o[t]||(a?o:i)("Symbol."+t))}).store=r},function(t,e,n){var r=n(5);t.exports=function(t){if(!r(t))throw TypeError(t+" is not an object!");return t}},function(t,e,n){var r=n(0),i=n(10),o=n(8),a=n(6),s=n(11),u=function(t,e,n){var c,l,f,p,h=t&u.F,d=t&u.G,v=t&u.S,m=t&u.P,g=t&u.B,y=d?r:v?r[e]||(r[e]={}):(r[e]||{}).prototype,b=d?i:i[e]||(i[e]={}),x=b.prototype||(b.prototype={});for(c in d&&(n=e),n)l=!h&&y&&void 0!==y[c],f=(l?y:n)[c],p=g&&l?s(f,r):m&&"function"==typeof f?s(Function.call,f):f,y&&a(y,c,f,t&u.U),b[c]!=f&&o(b,c,p),m&&x[c]!=f&&(x[c]=f)};r.core=i,u.F=1,u.G=2,u.S=4,u.P=8,u.B=16,u.W=32,u.U=64,u.R=128,t.exports=u},function(t,e,n){t.exports=!n(7)(function(){return 7!=Object.defineProperty({},"a",{get:function(){return 7}}).a})},function(t,e){t.exports=function(t){return"object"==typeof t?null!==t:"function"==typeof t}},function(t,e,n){var r=n(0),i=n(8),o=n(12),a=n(30)("src"),s=Function.toString,u=(""+s).split("toString");n(10).inspectSource=function(t){return s.call(t)},(t.exports=function(t,e,n,s){var c="function"==typeof n;c&&(o(n,"name")||i(n,"name",e)),t[e]!==n&&(c&&(o(n,a)||i(n,a,t[e]?""+t[e]:u.join(String(e)))),t===r?t[e]=n:s?t[e]?t[e]=n:i(t,e,n):(delete t[e],i(t,e,n)))})(Function.prototype,"toString",function(){return"function"==typeof this&&this[a]||s.call(this)})},function(t,e){t.exports=function(t){try{return!!t()}catch(t){return!0}}},function(t,e,n){var r=n(13),i=n(25);t.exports=n(4)?function(t,e,n){return r.f(t,e,i(1,n))}:function(t,e,n){return t[e]=n,t}},function(t,e){var n={}.toString;t.exports=function(t){return n.call(t).slice(8,-1)}},function(t,e){var n=t.exports={version:"2.5.7"};"number"==typeof __e&&(__e=n)},function(t,e,n){var r=n(14);t.exports=function(t,e,n){if(r(t),void 0===e)return t;switch(n){case 1:return function(n){return t.call(e,n)};case 2:return function(n,r){return t.call(e,n,r)};case 3:return function(n,r,i){return t.call(e,n,r,i)}}return function(){return t.apply(e,arguments)}}},function(t,e){var n={}.hasOwnProperty;t.exports=function(t,e){return n.call(t,e)}},function(t,e,n){var r=n(2),i=n(41),o=n(29),a=Object.defineProperty;e.f=n(4)?Object.defineProperty:function(t,e,n){if(r(t),e=o(e,!0),r(n),i)try{return a(t,e,n)}catch(t){}if("get"in n||"set"in n)throw TypeError("Accessors not supported!");return"value"in n&&(t[e]=n.value),t}},function(t,e){t.exports=function(t){if("function"!=typeof t)throw TypeError(t+" is not a function!");return t}},function(t,e){t.exports={}},function(t,e){t.exports=function(t){if(void 0==t)throw TypeError("Can't call method on "+t);return t}},function(t,e,n){"use strict";var r=n(7);t.exports=function(t,e){return!!t&&r(function(){e?t.call(null,function(){},1):t.call(null)})}},function(t,e,n){var r=n(23),i=n(16);t.exports=function(t){return r(i(t))}},function(t,e,n){var r=n(53),i=Math.min;t.exports=function(t){return t>0?i(r(t),9007199254740991):0}},function(t,e,n){var r=n(11),i=n(23),o=n(28),a=n(19),s=n(64);t.exports=function(t,e){var n=1==t,u=2==t,c=3==t,l=4==t,f=6==t,p=5==t||f,h=e||s;return function(e,s,d){for(var v,m,g=o(e),y=i(g),b=r(s,d,3),x=a(y.length),_=0,w=n?h(e,x):u?h(e,0):void 0;x>_;_++)if((p||_ in y)&&(v=y[_],m=b(v,_,g),t))if(n)w[_]=m;else if(m)switch(t){case 3:return!0;case 5:return v;case 6:return _;case 2:w.push(v)}else if(l)return!1;return f?-1:c||l?l:w}}},function(t,e,n){var r=n(5),i=n(0).document,o=r(i)&&r(i.createElement);t.exports=function(t){return o?i.createElement(t):{}}},function(t,e){t.exports="constructor,hasOwnProperty,isPrototypeOf,propertyIsEnumerable,toLocaleString,toString,valueOf".split(",")},function(t,e,n){var r=n(9);t.exports=Object("z").propertyIsEnumerable(0)?Object:function(t){return"String"==r(t)?t.split(""):Object(t)}},function(t,e){t.exports=!1},function(t,e){t.exports=function(t,e){return{enumerable:!(1&t),configurable:!(2&t),writable:!(4&t),value:e}}},function(t,e,n){var r=n(13).f,i=n(12),o=n(1)("toStringTag");t.exports=function(t,e,n){t&&!i(t=n?t:t.prototype,o)&&r(t,o,{configurable:!0,value:e})}},function(t,e,n){var r=n(49)("keys"),i=n(30);t.exports=function(t){return r[t]||(r[t]=i(t))}},function(t,e,n){var r=n(16);t.exports=function(t){return Object(r(t))}},function(t,e,n){var r=n(5);t.exports=function(t,e){if(!r(t))return t;var n,i;if(e&&"function"==typeof(n=t.toString)&&!r(i=n.call(t)))return i;if("function"==typeof(n=t.valueOf)&&!r(i=n.call(t)))return i;if(!e&&"function"==typeof(n=t.toString)&&!r(i=n.call(t)))return i;throw TypeError("Can't convert object to primitive value")}},function(t,e){var n=0,r=Math.random();t.exports=function(t){return"Symbol(".concat(void 0===t?"":t,")_",(++n+r).toString(36))}},function(t,e,n){"use strict";var r=n(0),i=n(12),o=n(9),a=n(67),s=n(29),u=n(7),c=n(77).f,l=n(45).f,f=n(13).f,p=n(51).trim,h=r.Number,d=h,v=h.prototype,m="Number"==o(n(44)(v)),g="trim"in String.prototype,y=function(t){var e=s(t,!1);if("string"==typeof e&&e.length>2){var n,r,i,o=(e=g?e.trim():p(e,3)).charCodeAt(0);if(43===o||45===o){if(88===(n=e.charCodeAt(2))||120===n)return NaN}else if(48===o){switch(e.charCodeAt(1)){case 66:case 98:r=2,i=49;break;case 79:case 111:r=8,i=55;break;default:return+e}for(var a,u=e.slice(2),c=0,l=u.length;ci)return NaN;return parseInt(u,r)}}return+e};if(!h(" 0o1")||!h("0b1")||h("+0x1")){h=function(t){var e=arguments.length<1?0:t,n=this;return n instanceof h&&(m?u(function(){v.valueOf.call(n)}):"Number"!=o(n))?a(new d(y(e)),n,h):y(e)};for(var b,x=n(4)?c(d):"MAX_VALUE,MIN_VALUE,NaN,NEGATIVE_INFINITY,POSITIVE_INFINITY,EPSILON,isFinite,isInteger,isNaN,isSafeInteger,MAX_SAFE_INTEGER,MIN_SAFE_INTEGER,parseFloat,parseInt,isInteger".split(","),_=0;x.length>_;_++)i(d,b=x[_])&&!i(h,b)&&f(h,b,l(d,b));h.prototype=v,v.constructor=h,n(6)(r,"Number",h)}},function(t,e,n){"use strict";function r(t){return!(0===t||(!Array.isArray(t)||0!==t.length)&&t)}function i(t){return function(){return!t.apply(void 0,arguments)}}function o(t,e,n,r){return t.filter(function(t){return function(t,e){return void 0===t&&(t="undefined"),null===t&&(t="null"),!1===t&&(t="false"),-1!==t.toString().toLowerCase().indexOf(e.trim())}(r(t,n),e)})}function a(t){return t.filter(function(t){return!t.$isLabel})}function s(t,e){return function(n){return n.reduce(function(n,r){return r[t]&&r[t].length?(n.push({$groupLabel:r[e],$isLabel:!0}),n.concat(r[t])):n},[])}}function u(t,e,r,i,a){return function(s){return s.map(function(s){var u;if(!s[r])return console.warn("Options passed to vue-multiselect do not contain groups, despite the config."),[];var c=o(s[r],t,e,a);return c.length?(u={},n.i(h.a)(u,i,s[i]),n.i(h.a)(u,r,c),u):[]})}}var c=n(59),l=n(54),f=(n.n(l),n(95)),p=(n.n(f),n(31)),h=(n.n(p),n(58)),d=n(91),v=(n.n(d),n(98)),m=(n.n(v),n(92)),g=(n.n(m),n(88)),y=(n.n(g),n(97)),b=(n.n(y),n(89)),x=(n.n(b),n(96)),_=(n.n(x),n(93)),w=(n.n(_),n(90)),S=(n.n(w),function(){for(var t=arguments.length,e=new Array(t),n=0;n-1},isSelected:function(t){var e=this.trackBy?t[this.trackBy]:t;return this.valueKeys.indexOf(e)>-1},getOptionLabel:function(t){if(r(t))return"";if(t.isTag)return t.label;if(t.$isLabel)return t.$groupLabel;var e=this.customLabel(t,this.label);return r(e)?"":e},select:function(t,e){if(t.$isLabel&&this.groupSelect)this.selectGroup(t);else if(!(-1!==this.blockKeys.indexOf(e)||this.disabled||t.$isDisabled||t.$isLabel)&&(!this.max||!this.multiple||this.internalValue.length!==this.max)&&("Tab"!==e||this.pointerDirty)){if(t.isTag)this.$emit("tag",t.label,this.id),this.search="",this.closeOnSelect&&!this.multiple&&this.deactivate();else{if(this.isSelected(t))return void("Tab"!==e&&this.removeElement(t));this.$emit("select",t,this.id),this.multiple?this.$emit("input",this.internalValue.concat([t]),this.id):this.$emit("input",t,this.id),this.clearOnSelect&&(this.search="")}this.closeOnSelect&&this.deactivate()}},selectGroup:function(t){var e=this,n=this.options.find(function(n){return n[e.groupLabel]===t.$groupLabel});if(n)if(this.wholeGroupSelected(n)){this.$emit("remove",n[this.groupValues],this.id);var r=this.internalValue.filter(function(t){return-1===n[e.groupValues].indexOf(t)});this.$emit("input",r,this.id)}else{var o=n[this.groupValues].filter(i(this.isSelected));this.$emit("select",o,this.id),this.$emit("input",this.internalValue.concat(o),this.id)}},wholeGroupSelected:function(t){return t[this.groupValues].every(this.isSelected)},removeElement:function(t){var e=!(arguments.length>1&&void 0!==arguments[1])||arguments[1];if(!this.disabled){if(!this.allowEmpty&&this.internalValue.length<=1)return void this.deactivate();var r="object"===n.i(c.a)(t)?this.valueKeys.indexOf(t[this.trackBy]):this.valueKeys.indexOf(t);if(this.$emit("remove",t,this.id),this.multiple){var i=this.internalValue.slice(0,r).concat(this.internalValue.slice(r+1));this.$emit("input",i,this.id)}else this.$emit("input",null,this.id);this.closeOnSelect&&e&&this.deactivate()}},removeLastElement:function(){-1===this.blockKeys.indexOf("Delete")&&0===this.search.length&&Array.isArray(this.internalValue)&&this.removeElement(this.internalValue[this.internalValue.length-1],!1)},activate:function(){var t=this;this.isOpen||this.disabled||(this.adjustPosition(),this.groupValues&&0===this.pointer&&this.filteredOptions.length&&(this.pointer=1),this.isOpen=!0,this.searchable?(this.preserveSearch||(this.search=""),this.$nextTick(function(){return t.$refs.search.focus()})):this.$el.focus(),this.$emit("open",this.id))},deactivate:function(){this.isOpen&&(this.isOpen=!1,this.searchable?this.$refs.search.blur():this.$el.blur(),this.preserveSearch||(this.search=""),this.$emit("close",this.getValue(),this.id))},toggle:function(){this.isOpen?this.deactivate():this.activate()},adjustPosition:function(){if("undefined"!=typeof window){var t=this.$el.getBoundingClientRect().top,e=window.innerHeight-this.$el.getBoundingClientRect().bottom;e>this.maxHeight||e>t||"below"===this.openDirection||"bottom"===this.openDirection?(this.prefferedOpenDirection="below",this.optimizedHeight=Math.min(e-40,this.maxHeight)):(this.prefferedOpenDirection="above",this.optimizedHeight=Math.min(t-40,this.maxHeight))}}}}},function(t,e,n){"use strict";var r=n(54),i=(n.n(r),n(31));n.n(i),e.a={data:function(){return{pointer:0,pointerDirty:!1}},props:{showPointer:{type:Boolean,default:!0},optionHeight:{type:Number,default:40}},computed:{pointerPosition:function(){return this.pointer*this.optionHeight},visibleElements:function(){return this.optimizedHeight/this.optionHeight}},watch:{filteredOptions:function(){this.pointerAdjust()},isOpen:function(){this.pointerDirty=!1}},methods:{optionHighlight:function(t,e){return{"multiselect__option--highlight":t===this.pointer&&this.showPointer,"multiselect__option--selected":this.isSelected(e)}},groupHighlight:function(t,e){var n=this;if(!this.groupSelect)return["multiselect__option--group","multiselect__option--disabled"];var r=this.options.find(function(t){return t[n.groupLabel]===e.$groupLabel});return["multiselect__option--group",{"multiselect__option--highlight":t===this.pointer&&this.showPointer},{"multiselect__option--group-selected":this.wholeGroupSelected(r)}]},addPointerElement:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"Enter",e=t.key;this.filteredOptions.length>0&&this.select(this.filteredOptions[this.pointer],e),this.pointerReset()},pointerForward:function(){this.pointer0?(this.pointer--,this.$refs.list.scrollTop>=this.pointerPosition&&(this.$refs.list.scrollTop=this.pointerPosition),this.filteredOptions[this.pointer]&&this.filteredOptions[this.pointer].$isLabel&&!this.groupSelect&&this.pointerBackward()):this.filteredOptions[this.pointer]&&this.filteredOptions[0].$isLabel&&!this.groupSelect&&this.pointerForward(),this.pointerDirty=!0},pointerReset:function(){this.closeOnSelect&&(this.pointer=0,this.$refs.list&&(this.$refs.list.scrollTop=0))},pointerAdjust:function(){this.pointer>=this.filteredOptions.length-1&&(this.pointer=this.filteredOptions.length?this.filteredOptions.length-1:0),this.filteredOptions.length>0&&this.filteredOptions[this.pointer].$isLabel&&!this.groupSelect&&this.pointerForward()},pointerSet:function(t){this.pointer=t,this.pointerDirty=!0}}}},function(t,e,n){"use strict";var r=n(36),i=n(74),o=n(15),a=n(18);t.exports=n(72)(Array,"Array",function(t,e){this._t=a(t),this._i=0,this._k=e},function(){var t=this._t,e=this._k,n=this._i++;return!t||n>=t.length?(this._t=void 0,i(1)):i(0,"keys"==e?n:"values"==e?t[n]:[n,t[n]])},"values"),o.Arguments=o.Array,r("keys"),r("values"),r("entries")},function(t,e,n){"use strict";var r=n(31),i=(n.n(r),n(32)),o=n(33);e.a={name:"vue-multiselect",mixins:[i.a,o.a],props:{name:{type:String,default:""},selectLabel:{type:String,default:"Press enter to select"},selectGroupLabel:{type:String,default:"Press enter to select group"},selectedLabel:{type:String,default:"Selected"},deselectLabel:{type:String,default:"Press enter to remove"},deselectGroupLabel:{type:String,default:"Press enter to deselect group"},showLabels:{type:Boolean,default:!0},limit:{type:Number,default:99999},maxHeight:{type:Number,default:300},limitText:{type:Function,default:function(t){return"and ".concat(t," more")}},loading:{type:Boolean,default:!1},disabled:{type:Boolean,default:!1},openDirection:{type:String,default:""},showNoOptions:{type:Boolean,default:!0},showNoResults:{type:Boolean,default:!0},tabindex:{type:Number,default:0}},computed:{isSingleLabelVisible:function(){return this.singleValue&&(!this.isOpen||!this.searchable)&&!this.visibleValues.length},isPlaceholderVisible:function(){return!(this.internalValue.length||this.searchable&&this.isOpen)},visibleValues:function(){return this.multiple?this.internalValue.slice(0,this.limit):[]},singleValue:function(){return this.internalValue[0]},deselectLabelText:function(){return this.showLabels?this.deselectLabel:""},deselectGroupLabelText:function(){return this.showLabels?this.deselectGroupLabel:""},selectLabelText:function(){return this.showLabels?this.selectLabel:""},selectGroupLabelText:function(){return this.showLabels?this.selectGroupLabel:""},selectedLabelText:function(){return this.showLabels?this.selectedLabel:""},inputStyle:function(){if(this.searchable||this.multiple&&this.value&&this.value.length)return this.isOpen?{width:"auto"}:{width:"0",position:"absolute",padding:"0"}},contentStyle:function(){return this.options.length?{display:"inline-block"}:{display:"block"}},isAbove:function(){return"above"===this.openDirection||"top"===this.openDirection||"below"!==this.openDirection&&"bottom"!==this.openDirection&&"above"===this.prefferedOpenDirection},showSearchInput:function(){return this.searchable&&(!this.hasSingleSelectedSlot||!this.visibleSingleValue&&0!==this.visibleSingleValue||this.isOpen)}}}},function(t,e,n){var r=n(1)("unscopables"),i=Array.prototype;void 0==i[r]&&n(8)(i,r,{}),t.exports=function(t){i[r][t]=!0}},function(t,e,n){var r=n(18),i=n(19),o=n(85);t.exports=function(t){return function(e,n,a){var s,u=r(e),c=i(u.length),l=o(a,c);if(t&&n!=n){for(;c>l;)if((s=u[l++])!=s)return!0}else for(;c>l;l++)if((t||l in u)&&u[l]===n)return t||l||0;return!t&&-1}}},function(t,e,n){var r=n(9),i=n(1)("toStringTag"),o="Arguments"==r(function(){return arguments}());t.exports=function(t){var e,n,a;return void 0===t?"Undefined":null===t?"Null":"string"==typeof(n=function(t,e){try{return t[e]}catch(t){}}(e=Object(t),i))?n:o?r(e):"Object"==(a=r(e))&&"function"==typeof e.callee?"Arguments":a}},function(t,e,n){"use strict";var r=n(2);t.exports=function(){var t=r(this),e="";return t.global&&(e+="g"),t.ignoreCase&&(e+="i"),t.multiline&&(e+="m"),t.unicode&&(e+="u"),t.sticky&&(e+="y"),e}},function(t,e,n){var r=n(0).document;t.exports=r&&r.documentElement},function(t,e,n){t.exports=!n(4)&&!n(7)(function(){return 7!=Object.defineProperty(n(21)("div"),"a",{get:function(){return 7}}).a})},function(t,e,n){var r=n(9);t.exports=Array.isArray||function(t){return"Array"==r(t)}},function(t,e,n){"use strict";var r=n(14);t.exports.f=function(t){return new function(t){var e,n;this.promise=new t(function(t,r){if(void 0!==e||void 0!==n)throw TypeError("Bad Promise constructor");e=t,n=r}),this.resolve=r(e),this.reject=r(n)}(t)}},function(t,e,n){var r=n(2),i=n(76),o=n(22),a=n(27)("IE_PROTO"),s=function(){},u=function(){var t,e=n(21)("iframe"),r=o.length;for(e.style.display="none",n(40).appendChild(e),e.src="javascript:",(t=e.contentWindow.document).open(),t.write("\n","import mod from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./popoverItem.vue?vue&type=script&lang=js&\"; export default mod; export * from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./popoverItem.vue?vue&type=script&lang=js&\"","import { render, staticRenderFns } from \"./popoverItem.vue?vue&type=template&id=4c6af9e6&\"\nimport script from \"./popoverItem.vue?vue&type=script&lang=js&\"\nexport * from \"./popoverItem.vue?vue&type=script&lang=js&\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\n/* hot reload */\nif (module.hot) {\n var api = require(\"/home/roeland/nc/server/settings/node_modules/vue-hot-reload-api/dist/index.js\")\n api.install(require('vue'))\n if (api.compatible) {\n module.hot.accept()\n if (!module.hot.data) {\n api.createRecord('4c6af9e6', component.options)\n } else {\n api.reload('4c6af9e6', component.options)\n }\n module.hot.accept(\"./popoverItem.vue?vue&type=template&id=4c6af9e6&\", function () {\n api.rerender('4c6af9e6', {\n render: render,\n staticRenderFns: staticRenderFns\n })\n })\n }\n}\ncomponent.options.__file = \"src/components/popoverMenu/popoverItem.vue\"\nexport default component.exports","import mod from \"-!../../node_modules/babel-loader/lib/index.js!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./popoverMenu.vue?vue&type=script&lang=js&\"; export default mod; export * from \"-!../../node_modules/babel-loader/lib/index.js!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./popoverMenu.vue?vue&type=script&lang=js&\"","\n\n\n\n\n\n","import { render, staticRenderFns } from \"./popoverMenu.vue?vue&type=template&id=04ea21c4&\"\nimport script from \"./popoverMenu.vue?vue&type=script&lang=js&\"\nexport * from \"./popoverMenu.vue?vue&type=script&lang=js&\"\n\n\n/* normalize component */\nimport normalizer from \"!../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\n/* hot reload */\nif (module.hot) {\n var api = require(\"/home/roeland/nc/server/settings/node_modules/vue-hot-reload-api/dist/index.js\")\n api.install(require('vue'))\n if (api.compatible) {\n module.hot.accept()\n if (!module.hot.data) {\n api.createRecord('04ea21c4', component.options)\n } else {\n api.reload('04ea21c4', component.options)\n }\n module.hot.accept(\"./popoverMenu.vue?vue&type=template&id=04ea21c4&\", function () {\n api.rerender('04ea21c4', {\n render: render,\n staticRenderFns: staticRenderFns\n })\n })\n }\n}\ncomponent.options.__file = \"src/components/popoverMenu.vue\"\nexport default component.exports","\n\n\n\n\n","import mod from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./userRow.vue?vue&type=script&lang=js&\"; export default mod; export * from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./userRow.vue?vue&type=script&lang=js&\"","import { render, staticRenderFns } from \"./userRow.vue?vue&type=template&id=d19586ce&\"\nimport script from \"./userRow.vue?vue&type=script&lang=js&\"\nexport * from \"./userRow.vue?vue&type=script&lang=js&\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\n/* hot reload */\nif (module.hot) {\n var api = require(\"/home/roeland/nc/server/settings/node_modules/vue-hot-reload-api/dist/index.js\")\n api.install(require('vue'))\n if (api.compatible) {\n module.hot.accept()\n if (!module.hot.data) {\n api.createRecord('d19586ce', component.options)\n } else {\n api.reload('d19586ce', component.options)\n }\n module.hot.accept(\"./userRow.vue?vue&type=template&id=d19586ce&\", function () {\n api.rerender('d19586ce', {\n render: render,\n staticRenderFns: staticRenderFns\n })\n })\n }\n}\ncomponent.options.__file = \"src/components/userList/userRow.vue\"\nexport default component.exports","import mod from \"-!../../node_modules/babel-loader/lib/index.js!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./userList.vue?vue&type=script&lang=js&\"; export default mod; export * from \"-!../../node_modules/babel-loader/lib/index.js!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./userList.vue?vue&type=script&lang=js&\"","\n \n\n\n\n","import { render, staticRenderFns } from \"./userList.vue?vue&type=template&id=40745299&\"\nimport script from \"./userList.vue?vue&type=script&lang=js&\"\nexport * from \"./userList.vue?vue&type=script&lang=js&\"\n\n\n/* normalize component */\nimport normalizer from \"!../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\n/* hot reload */\nif (module.hot) {\n var api = require(\"/home/roeland/nc/server/settings/node_modules/vue-hot-reload-api/dist/index.js\")\n api.install(require('vue'))\n if (api.compatible) {\n module.hot.accept()\n if (!module.hot.data) {\n api.createRecord('40745299', component.options)\n } else {\n api.reload('40745299', component.options)\n }\n module.hot.accept(\"./userList.vue?vue&type=template&id=40745299&\", function () {\n api.rerender('40745299', {\n render: render,\n staticRenderFns: staticRenderFns\n })\n })\n }\n}\ncomponent.options.__file = \"src/components/userList.vue\"\nexport default component.exports","\n\n\n\n\n","import mod from \"-!../../node_modules/babel-loader/lib/index.js!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Users.vue?vue&type=script&lang=js&\"; export default mod; export * from \"-!../../node_modules/babel-loader/lib/index.js!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Users.vue?vue&type=script&lang=js&\"","import { render, staticRenderFns } from \"./Users.vue?vue&type=template&id=68be103e&\"\nimport script from \"./Users.vue?vue&type=script&lang=js&\"\nexport * from \"./Users.vue?vue&type=script&lang=js&\"\n\n\n/* normalize component */\nimport normalizer from \"!../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\n/* hot reload */\nif (module.hot) {\n var api = require(\"/home/roeland/nc/server/settings/node_modules/vue-hot-reload-api/dist/index.js\")\n api.install(require('vue'))\n if (api.compatible) {\n module.hot.accept()\n if (!module.hot.data) {\n api.createRecord('68be103e', component.options)\n } else {\n api.reload('68be103e', component.options)\n }\n module.hot.accept(\"./Users.vue?vue&type=template&id=68be103e&\", function () {\n api.rerender('68be103e', {\n render: render,\n staticRenderFns: staticRenderFns\n })\n })\n }\n}\ncomponent.options.__file = \"src/views/Users.vue\"\nexport default component.exports"],"sourceRoot":""} \ No newline at end of file +{"version":3,"sources":["webpack:///./src/views/Users.vue?de85","webpack:///./src/components/userList.vue?63c6","webpack:///./src/components/userList/userRow.vue?a78d","webpack:///./src/components/popoverMenu.vue?6abc","webpack:///./src/components/popoverMenu/popoverItem.vue?e129","webpack:///src/components/popoverMenu/popoverItem.vue","webpack:///./src/components/popoverMenu/popoverItem.vue?1583","webpack:///./src/components/popoverMenu/popoverItem.vue","webpack:///./src/components/popoverMenu.vue?295a","webpack:///src/components/popoverMenu.vue","webpack:///./src/components/popoverMenu.vue","webpack:///src/components/userList/userRow.vue","webpack:///./src/components/userList/userRow.vue?30fd","webpack:///./src/components/userList/userRow.vue","webpack:///./src/components/userList.vue?c685","webpack:///src/components/userList.vue","webpack:///./src/components/userList.vue","webpack:///src/views/Users.vue","webpack:///./src/views/Users.vue?bea8","webpack:///./src/views/Users.vue"],"names":["render","_vm","this","_h","$createElement","_c","_self","staticClass","attrs","id","menu","slot","_v","_s","t","value","defaultQuota","options","quotaOptions","tag-placeholder","placeholder","label","track-by","allowEmpty","taggable","on","tag","validateQuota","input","setDefaultQuota","directives","name","rawName","showLanguages","expression","type","domProps","checked","Array","isArray","_i","change","$event","$$a","$$el","target","$$c","$$i","concat","slice","for","showLastLogin","showUserBackend","showStoragePath","users","showConfig","selectedGroup","externalActions","_withStripped","userListvue_type_template_id_40745299_render","&scroll","onScroll","class","sticky","scrolled","showNewUserForm","subAdminsGroups","length","settings","isAdmin","_e","disabled","loading","all","submit","preventDefault","createUser","newUser","required","autocomplete","autocapitalize","autocorrect","pattern","composing","$set","displayName","password","mailAddress","minlength","minPasswordLength","icon-loading-small","groups","tabindex","canAddGroups","multiple","close-on-select","createGroup","model","callback","$$v","quota","languages","group-values","group-label","language","title","_l","filteredUsers","user","key","ref","infinite","infiniteHandler","userRowvue_type_template_id_d19586ce_render","Object","keys","data-id","delete","disable","alt","width","height","src","generateAvatar","srcset","updateDisplayName","rand","spellcheck","displayname","canChangePassword","updatePassword","updateEmail","email","userGroups","availableGroups","limit","closeOnSelect","select","addUserGroup","remove","removeUserGroup","formatGroupsTitle","modifiers","auto","subadmins","userSubAdminsGroups","addUserSubAdmin","removeUserSubAdmin","usedSpace","userQuota","setUserQuota","warn","usedQuota","max","userLanguage","setUserLanguage","storageLocation","backend","lastLogin","OC","Util","formatDate","relativeModifiedDate","currentUser","hideMenu","click","toggleMenu","open","openedMenu","userActions","style","opacity","feedbackMessage","popoverMenuvue_type_template_id_04ea21c4_render","item","popoverItemvue_type_template_id_4c6af9e6_render","href","rel","action","icon","text","longtext","popoverMenu_popoverItemvue_type_script_lang_js_","props","component","componentNormalizer","__file","components_popoverMenuvue_type_script_lang_js_","components","popoverItem","popoverMenu_component","popoverMenu","vue_esm","use","v_tooltip_esm","userList_userRowvue_type_script_lang_js_","Multiselect","vue_multiselect_min_default","a","ClickOutside","vue_click_outside_default","mounted","data","parseInt","Math","random","computed","actions","deleteUser","enabled","enableDisableUser","push","sendWelcomeMail","_this","filter","group","includes","_this2","subadmin","_this3","map","groupClone","assign","$isDisabled","canAdd","canRemove","used","size","humanFileSize","min","round","pow","isNaN","humanQuota","find","$store","getters","getPasswordPolicyMinLength","_this4","userLang","lang","code","_typeof","methods","arguments","undefined","generateUrl","version","oc_userconfig","avatar","join","_this5","userid","dispatch","then","_this6","_this7","$refs","_this8","_this9","gid","_this10","catch","getGroups","_this11","_this12","$route","params","commit","_this13","_this14","_this15","validQuota","computerFileSize","_this16","_this17","success","setTimeout","userRow_component","userRow","components_userListvue_type_script_lang_js_","InfiniteLoading","vue_infinite_loading_default","unlimitedQuota","searchQuery","Notification","showTemporary","set","defaultLanguage","setNewUserDefaultGroup","userSearch","OCA","Search","search","resetSearch","getServerData","disabledUsers","infiniteLoading","isComplete","$router","$emit","oc_current_user","sort","b","localeCompare","getSubadminGroups","quotaPreset","reduce","acc","cur","unshift","usersOffset","getUsersOffset","usersLimit","getUsersLimit","commonlanguages","watch","val","old","event","scrollTo","$state","offset","response","loaded","complete","query","resetForm","$options","call","currentGroup","userList_component","userList","vue_local_storage_default","views_Usersvue_type_script_lang_js_","AppNavigation","ncvuecomponents","beforeMount","orderBy","sortGroups","userCount","created","Settings","UserList","registerAction","selectedQuota","showAddGroupEntry","loadingAddGroup","toggleNewUserMenu","nextTick","window","newusername","focus","getLocalstorage","localConfig","$localStorage","get","setLocalStorage","status","removeGroup","groupid","self","dialogs","confirm","app","Usersvue_type_script_lang_js_typeof","getUsers","getUserCount","realGroups","replace","utils","router","usercount","counter","separator","caption","adminGroup","disabledGroup","indexOf","everyoneGroup","addGroup","classes","reset","new","items","Users_component","__webpack_exports__"],"mappings":"iGAAA,IAAAA,EAAA,WACA,IAAAC,EAAAC,KACAC,EAAAF,EAAAG,eACAC,EAAAJ,EAAAK,MAAAD,IAAAF,EACA,OAAAE,EACA,OACKE,YAAA,eAAAC,OAAsCC,GAAA,aAE3CJ,EACA,kBACSG,OAASE,KAAAT,EAAAS,QAElBL,EAAA,YAA0BM,KAAA,qBAC1BN,EACA,OAEAA,EAAA,KAAAJ,EAAAW,GAAAX,EAAAY,GAAAZ,EAAAa,EAAA,iCACAb,EAAAW,GAAA,KACAP,EAAA,eACAE,YAAA,kBACAC,OACAO,MAAAd,EAAAe,aACAC,QAAAhB,EAAAiB,aACAC,kBAAA,SACAC,YAAAnB,EAAAa,EAAA,mCACAO,MAAA,QACAC,WAAA,KACAC,YAAA,EACAC,UAAA,GAEAC,IAAuBC,IAAAzB,EAAA0B,cAAAC,MAAA3B,EAAA4B,oBAGvB,GAEA5B,EAAAW,GAAA,KACAP,EAAA,OACAA,EAAA,SACAyB,aAEAC,KAAA,QACAC,QAAA,UACAjB,MAAAd,EAAAgC,cACAC,WAAA,kBAGA3B,YAAA,WACAC,OAAwB2B,KAAA,WAAA1B,GAAA,iBACxB2B,UACAC,QAAAC,MAAAC,QAAAtC,EAAAgC,eACAhC,EAAAuC,GAAAvC,EAAAgC,cAAA,SACAhC,EAAAgC,eAEAR,IACAgB,OAAA,SAAAC,GACA,IAAAC,EAAA1C,EAAAgC,cACAW,EAAAF,EAAAG,OACAC,IAAAF,EAAAP,QACA,GAAAC,MAAAC,QAAAI,GAAA,CACA,IACAI,EAAA9C,EAAAuC,GAAAG,EADA,MAEAC,EAAAP,QACAU,EAAA,IAAA9C,EAAAgC,cAAAU,EAAAK,QAHA,QAKAD,GAAA,IACA9C,EAAAgC,cAAAU,EACAM,MAAA,EAAAF,GACAC,OAAAL,EAAAM,MAAAF,EAAA,UAGA9C,EAAAgC,cAAAa,MAKA7C,EAAAW,GAAA,KACAP,EAAA,SAA2BG,OAAS0C,IAAA,mBACpCjD,EAAAW,GAAAX,EAAAY,GAAAZ,EAAAa,EAAA,mCAGAb,EAAAW,GAAA,KACAP,EAAA,OACAA,EAAA,SACAyB,aAEAC,KAAA,QACAC,QAAA,UACAjB,MAAAd,EAAAkD,cACAjB,WAAA,kBAGA3B,YAAA,WACAC,OAAwB2B,KAAA,WAAA1B,GAAA,iBACxB2B,UACAC,QAAAC,MAAAC,QAAAtC,EAAAkD,eACAlD,EAAAuC,GAAAvC,EAAAkD,cAAA,SACAlD,EAAAkD,eAEA1B,IACAgB,OAAA,SAAAC,GACA,IAAAC,EAAA1C,EAAAkD,cACAP,EAAAF,EAAAG,OACAC,IAAAF,EAAAP,QACA,GAAAC,MAAAC,QAAAI,GAAA,CACA,IACAI,EAAA9C,EAAAuC,GAAAG,EADA,MAEAC,EAAAP,QACAU,EAAA,IAAA9C,EAAAkD,cAAAR,EAAAK,QAHA,QAKAD,GAAA,IACA9C,EAAAkD,cAAAR,EACAM,MAAA,EAAAF,GACAC,OAAAL,EAAAM,MAAAF,EAAA,UAGA9C,EAAAkD,cAAAL,MAKA7C,EAAAW,GAAA,KACAP,EAAA,SAA2BG,OAAS0C,IAAA,mBACpCjD,EAAAW,GAAAX,EAAAY,GAAAZ,EAAAa,EAAA,oCAGAb,EAAAW,GAAA,KACAP,EAAA,OACAA,EAAA,SACAyB,aAEAC,KAAA,QACAC,QAAA,UACAjB,MAAAd,EAAAmD,gBACAlB,WAAA,oBAGA3B,YAAA,WACAC,OAAwB2B,KAAA,WAAA1B,GAAA,mBACxB2B,UACAC,QAAAC,MAAAC,QAAAtC,EAAAmD,iBACAnD,EAAAuC,GAAAvC,EAAAmD,gBAAA,SACAnD,EAAAmD,iBAEA3B,IACAgB,OAAA,SAAAC,GACA,IAAAC,EAAA1C,EAAAmD,gBACAR,EAAAF,EAAAG,OACAC,IAAAF,EAAAP,QACA,GAAAC,MAAAC,QAAAI,GAAA,CACA,IACAI,EAAA9C,EAAAuC,GAAAG,EADA,MAEAC,EAAAP,QACAU,EAAA,IAAA9C,EAAAmD,gBAAAT,EAAAK,QAHA,QAKAD,GAAA,IACA9C,EAAAmD,gBAAAT,EACAM,MAAA,EAAAF,GACAC,OAAAL,EAAAM,MAAAF,EAAA,UAGA9C,EAAAmD,gBAAAN,MAKA7C,EAAAW,GAAA,KACAP,EAAA,SAA2BG,OAAS0C,IAAA,qBACpCjD,EAAAW,GAAAX,EAAAY,GAAAZ,EAAAa,EAAA,sCAGAb,EAAAW,GAAA,KACAP,EAAA,OACAA,EAAA,SACAyB,aAEAC,KAAA,QACAC,QAAA,UACAjB,MAAAd,EAAAoD,gBACAnB,WAAA,oBAGA3B,YAAA,WACAC,OAAwB2B,KAAA,WAAA1B,GAAA,mBACxB2B,UACAC,QAAAC,MAAAC,QAAAtC,EAAAoD,iBACApD,EAAAuC,GAAAvC,EAAAoD,gBAAA,SACApD,EAAAoD,iBAEA5B,IACAgB,OAAA,SAAAC,GACA,IAAAC,EAAA1C,EAAAoD,gBACAT,EAAAF,EAAAG,OACAC,IAAAF,EAAAP,QACA,GAAAC,MAAAC,QAAAI,GAAA,CACA,IACAI,EAAA9C,EAAAuC,GAAAG,EADA,MAEAC,EAAAP,QACAU,EAAA,IAAA9C,EAAAoD,gBAAAV,EAAAK,QAHA,QAKAD,GAAA,IACA9C,EAAAoD,gBAAAV,EACAM,MAAA,EAAAF,GACAC,OAAAL,EAAAM,MAAAF,EAAA,UAGA9C,EAAAoD,gBAAAP,MAKA7C,EAAAW,GAAA,KACAP,EAAA,SAA2BG,OAAS0C,IAAA,qBACpCjD,EAAAW,GAAAX,EAAAY,GAAAZ,EAAAa,EAAA,yCAKA,GAEAb,EAAAW,GAAA,KACAP,EAAA,aACAG,OACA8C,MAAArD,EAAAqD,MACAC,WAAAtD,EAAAsD,WACAC,cAAAvD,EAAAuD,cACAC,gBAAAxD,EAAAwD,oBAIA,IAIAzD,EAAA0D,eAAA,eCzOIC,EAAM,WACV,IAAA1D,EAAAC,KACAC,EAAAF,EAAAG,eACAC,EAAAJ,EAAAK,MAAAD,IAAAF,EACA,OAAAE,EACA,OAEAE,YAAA,iBACAC,OAAcC,GAAA,eACdgB,IACAmC,UAAA,SAAAlB,GACA,OAAAzC,EAAA4D,SAAAnB,OAKArC,EACA,OAEAE,YAAA,MACAuD,OAAkBC,OAAA9D,EAAA+D,WAAA/D,EAAAsD,WAAAU,iBAClBzD,OAAkBC,GAAA,iBAGlBJ,EAAA,OAAqBE,YAAA,SAAAC,OAAgCC,GAAA,kBACrDR,EAAAW,GAAA,KACAP,EAAA,OAAqBE,YAAA,OAAAC,OAA8BC,GAAA,gBACnDR,EAAAW,GAAAX,EAAAY,GAAAZ,EAAAa,EAAA,2BAEAb,EAAAW,GAAA,KACAP,EACA,OACaE,YAAA,cAAAC,OAAqCC,GAAA,uBAClDR,EAAAW,GAAAX,EAAAY,GAAAZ,EAAAa,EAAA,+BAEAb,EAAAW,GAAA,KACAP,EACA,OACaE,YAAA,WAAAC,OAAkCC,GAAA,oBAC/CR,EAAAW,GAAAX,EAAAY,GAAAZ,EAAAa,EAAA,2BAEAb,EAAAW,GAAA,KACAP,EACA,OACaE,YAAA,cAAAC,OAAqCC,GAAA,mBAClDR,EAAAW,GAAAX,EAAAY,GAAAZ,EAAAa,EAAA,wBAEAb,EAAAW,GAAA,KACAP,EAAA,OAAqBE,YAAA,SAAAC,OAAgCC,GAAA,kBACrDR,EAAAW,GAAAX,EAAAY,GAAAZ,EAAAa,EAAA,yBAEAb,EAAAW,GAAA,KACAX,EAAAiE,gBAAAC,OAAA,GAAAlE,EAAAmE,SAAAC,QACAhE,EACA,OACiBE,YAAA,YAAAC,OAAmCC,GAAA,qBACpDR,EAAAW,GAAAX,EAAAY,GAAAZ,EAAAa,EAAA,kCAEAb,EAAAqE,KACArE,EAAAW,GAAA,KACAP,EAAA,OAAqBE,YAAA,QAAAC,OAA+BC,GAAA,iBACpDR,EAAAW,GAAAX,EAAAY,GAAAZ,EAAAa,EAAA,wBAEAb,EAAAW,GAAA,KACAX,EAAAsD,WAAAtB,cACA5B,EACA,OACiBE,YAAA,YAAAC,OAAmCC,GAAA,qBACpDR,EAAAW,GAAAX,EAAAY,GAAAZ,EAAAa,EAAA,2BAEAb,EAAAqE,KACArE,EAAAW,GAAA,KACAX,EAAAsD,WAAAF,gBACAhD,EACA,OACiBE,YAAA,0CACjBN,EAAAW,GAAAX,EAAAY,GAAAZ,EAAAa,EAAA,mCAEAb,EAAAqE,KACArE,EAAAW,GAAA,KACAX,EAAAsD,WAAAH,gBACA/C,EAAA,OAAyBE,YAAA,kCACzBN,EAAAW,GAAAX,EAAAY,GAAAZ,EAAAa,EAAA,+BAEAb,EAAAqE,KACArE,EAAAW,GAAA,KACAX,EAAAsD,WAAAJ,cACA9C,EAAA,OAAyBE,YAAA,8BACzBN,EAAAW,GAAAX,EAAAY,GAAAZ,EAAAa,EAAA,6BAEAb,EAAAqE,KACArE,EAAAW,GAAA,KACAP,EAAA,OAAqBE,YAAA,kBAGrBN,EAAAW,GAAA,KACAP,EACA,QAEAyB,aAEAC,KAAA,OACAC,QAAA,SACAjB,MAAAd,EAAAsD,WAAAU,gBACA/B,WAAA,+BAGA3B,YAAA,MACAuD,OAAkBC,OAAA9D,EAAA+D,UAAA/D,EAAAsD,WAAAU,iBAClBzD,OAAkBC,GAAA,WAAA8D,SAAAtE,EAAAuE,QAAAC,KAClBhD,IACAiD,OAAA,SAAAhC,GAEA,OADAA,EAAAiC,iBACA1E,EAAA2E,WAAAlC,OAKArC,EAAA,OACAyD,MAAA7D,EAAAuE,QAAAC,IAAA,kCAEAxE,EAAAW,GAAA,KACAP,EAAA,OAAqBE,YAAA,SACrBF,EAAA,SACAyB,aAEAC,KAAA,QACAC,QAAA,UACAjB,MAAAd,EAAA4E,QAAApE,GACAyB,WAAA,eAGA1B,OACAC,GAAA,cACA0B,KAAA,OACA2C,SAAA,GACA1D,YAAAnB,EAAAa,EAAA,uBACAiB,KAAA,WACAgD,aAAA,MACAC,eAAA,OACAC,YAAA,MACAC,QAAA,0BAEA9C,UAAyBrB,MAAAd,EAAA4E,QAAApE,IACzBgB,IACAG,MAAA,SAAAc,GACAA,EAAAG,OAAAsC,WAGAlF,EAAAmF,KAAAnF,EAAA4E,QAAA,KAAAnC,EAAAG,OAAA9B,aAKAd,EAAAW,GAAA,KACAP,EAAA,OAAqBE,YAAA,gBACrBF,EAAA,SACAyB,aAEAC,KAAA,QACAC,QAAA,UACAjB,MAAAd,EAAA4E,QAAAQ,YACAnD,WAAA,wBAGA1B,OACAC,GAAA,iBACA0B,KAAA,OACAf,YAAAnB,EAAAa,EAAA,2BACAiB,KAAA,cACAgD,aAAA,MACAC,eAAA,OACAC,YAAA,OAEA7C,UAAyBrB,MAAAd,EAAA4E,QAAAQ,aACzB5D,IACAG,MAAA,SAAAc,GACAA,EAAAG,OAAAsC,WAGAlF,EAAAmF,KAAAnF,EAAA4E,QAAA,cAAAnC,EAAAG,OAAA9B,aAKAd,EAAAW,GAAA,KACAP,EAAA,OAAqBE,YAAA,aACrBF,EAAA,SACAyB,aAEAC,KAAA,QACAC,QAAA,UACAjB,MAAAd,EAAA4E,QAAAS,SACApD,WAAA,qBAGA1B,OACAC,GAAA,kBACA0B,KAAA,WACA2C,SAAA,KAAA7E,EAAA4E,QAAAU,YACAnE,YAAAnB,EAAAa,EAAA,uBACAiB,KAAA,WACAgD,aAAA,eACAC,eAAA,OACAC,YAAA,MACAO,UAAAvF,EAAAwF,mBAEArD,UAAyBrB,MAAAd,EAAA4E,QAAAS,UACzB7D,IACAG,MAAA,SAAAc,GACAA,EAAAG,OAAAsC,WAGAlF,EAAAmF,KAAAnF,EAAA4E,QAAA,WAAAnC,EAAAG,OAAA9B,aAKAd,EAAAW,GAAA,KACAP,EAAA,OAAqBE,YAAA,gBACrBF,EAAA,SACAyB,aAEAC,KAAA,QACAC,QAAA,UACAjB,MAAAd,EAAA4E,QAAAU,YACArD,WAAA,wBAGA1B,OACAC,GAAA,WACA0B,KAAA,QACA2C,SAAA,KAAA7E,EAAA4E,QAAAS,SACAlE,YAAAnB,EAAAa,EAAA,oBACAiB,KAAA,QACAgD,aAAA,MACAC,eAAA,OACAC,YAAA,OAEA7C,UAAyBrB,MAAAd,EAAA4E,QAAAU,aACzB9D,IACAG,MAAA,SAAAc,GACAA,EAAAG,OAAAsC,WAGAlF,EAAAmF,KAAAnF,EAAA4E,QAAA,cAAAnC,EAAAG,OAAA9B,aAKAd,EAAAW,GAAA,KACAP,EACA,OACaE,YAAA,WAEbN,EAAAmE,SAAAC,QAWApE,EAAAqE,KAVAjE,EAAA,SACAyD,OAA4B4B,qBAAAzF,EAAAuE,QAAAmB,QAC5BnF,OACA2B,KAAA,OACAyD,SAAA,KACAnF,GAAA,YACAqE,UAAA7E,EAAAmE,SAAAC,SAEAjC,UAA+BrB,MAAAd,EAAA4E,QAAAc,UAG/B1F,EAAAW,GAAA,KACAP,EACA,eAEAE,YAAA,kBACAC,OACAS,QAAAhB,EAAA4F,aACAtB,SAAAtE,EAAAuE,QAAAmB,QAAA1F,EAAAuE,QAAAC,IACAtD,kBAAA,SACAC,YAAAnB,EAAAa,EAAA,gCACAO,MAAA,OACAC,WAAA,KACAwE,UAAA,EACAtE,UAAA,EACAuE,mBAAA,GAEAtE,IAAuBC,IAAAzB,EAAA+F,aACvBC,OACAlF,MAAAd,EAAA4E,QAAAc,OACAO,SAAA,SAAAC,GACAlG,EAAAmF,KAAAnF,EAAA4E,QAAA,SAAAsB,IAEAjE,WAAA,oBAIA7B,EACA,QACqBG,OAASG,KAAA,YAAmBA,KAAA,aACjDV,EAAAW,GAAAX,EAAAY,GAAAZ,EAAAa,EAAA,gCAKA,GAEAb,EAAAW,GAAA,KACAX,EAAAiE,gBAAAC,OAAA,GAAAlE,EAAAmE,SAAAC,QACAhE,EACA,OACiBE,YAAA,cAEjBF,EACA,eAEAE,YAAA,kBACAC,OACAS,QAAAhB,EAAAiE,gBACA9C,YAAAnB,EAAAa,EAAA,oCACAO,MAAA,OACAC,WAAA,KACAwE,UAAA,EACAC,mBAAA,GAEAE,OACAlF,MAAAd,EAAA4E,QAAAX,gBACAgC,SAAA,SAAAC,GACAlG,EAAAmF,KAAAnF,EAAA4E,QAAA,kBAAAsB,IAEAjE,WAAA,6BAIA7B,EACA,QACyBG,OAASG,KAAA,YAAmBA,KAAA,aACrDV,EAAAW,GAAAX,EAAAY,GAAAZ,EAAAa,EAAA,gCAKA,GAEAb,EAAAqE,KACArE,EAAAW,GAAA,KACAP,EACA,OACaE,YAAA,UAEbF,EAAA,eACAE,YAAA,kBACAC,OACAS,QAAAhB,EAAAiB,aACAE,YAAAnB,EAAAa,EAAA,gCACAO,MAAA,QACAC,WAAA,KACAC,YAAA,EACAC,UAAA,GAEAC,IAAqBC,IAAAzB,EAAA0B,eACrBsE,OACAlF,MAAAd,EAAA4E,QAAAuB,MACAF,SAAA,SAAAC,GACAlG,EAAAmF,KAAAnF,EAAA4E,QAAA,QAAAsB,IAEAjE,WAAA,oBAIA,GAEAjC,EAAAW,GAAA,KACAX,EAAAsD,WAAAtB,cACA5B,EACA,OACiBE,YAAA,cAEjBF,EAAA,eACAE,YAAA,kBACAC,OACAS,QAAAhB,EAAAoG,UACAjF,YAAAnB,EAAAa,EAAA,+BACAO,MAAA,OACAC,WAAA,OACAC,YAAA,EACA+E,eAAA,YACAC,cAAA,SAEAN,OACAlF,MAAAd,EAAA4E,QAAA2B,SACAN,SAAA,SAAAC,GACAlG,EAAAmF,KAAAnF,EAAA4E,QAAA,WAAAsB,IAEAjE,WAAA,uBAIA,GAEAjC,EAAAqE,KACArE,EAAAW,GAAA,KACAX,EAAAsD,WAAAF,gBACAhD,EAAA,OAAyBE,YAAA,oBACzBN,EAAAqE,KACArE,EAAAW,GAAA,KACAX,EAAAsD,WAAAH,gBACA/C,EAAA,OAAyBE,YAAA,gBACzBN,EAAAqE,KACArE,EAAAW,GAAA,KACAX,EAAAsD,WAAAJ,cACA9C,EAAA,OAAyBE,YAAA,cACzBN,EAAAqE,KACArE,EAAAW,GAAA,KACAP,EAAA,OAAqBE,YAAA,gBACrBF,EAAA,SACAE,YAAA,kDACAC,OACA2B,KAAA,SACA1B,GAAA,YACAM,MAAA,GACA0F,MAAAxG,EAAAa,EAAA,oCAMAb,EAAAW,GAAA,KACAX,EAAAyG,GAAAzG,EAAA0G,cAAA,SAAAC,EAAAC,GACA,OAAAxG,EAAA,YACAwG,MACArG,OACAoG,OACAxC,SAAAnE,EAAAmE,SACAb,WAAAtD,EAAAsD,WACAoC,OAAA1F,EAAA0F,OACAzB,gBAAAjE,EAAAiE,gBACAhD,aAAAjB,EAAAiB,aACAmF,UAAApG,EAAAoG,UACA5C,gBAAAxD,EAAAwD,qBAIAxD,EAAAW,GAAA,KACAP,EACA,oBACSyG,IAAA,kBAAArF,IAA8BsF,SAAA9G,EAAA+G,mBAEvC3G,EAAA,OAAqBG,OAASG,KAAA,WAAkBA,KAAA,YAChDN,EAAA,OAAuBE,YAAA,sCAEvBN,EAAAW,GAAA,KACAP,EAAA,OAAqBG,OAASG,KAAA,WAAkBA,KAAA,YAChDN,EAAA,OAAuBE,YAAA,qBAEvBN,EAAAW,GAAA,KACAP,EAAA,OAAqBG,OAASG,KAAA,cAAqBA,KAAA,eACnDN,EAAA,OAAuBG,OAASC,GAAA,kBAChCJ,EAAA,OAAyBE,YAAA,uBACzBN,EAAAW,GAAA,KACAP,EAAA,MAAAJ,EAAAW,GAAAX,EAAAY,GAAAZ,EAAAa,EAAA,0CAMA,IAIA6C,EAAMD,eAAA,ECldN,IAAIuD,EAAM,WACV,IAAAhH,EAAAC,KACAC,EAAAF,EAAAG,eACAC,EAAAJ,EAAAK,MAAAD,IAAAF,EACA,WAAA+G,OAAAC,KAAAlH,EAAA2G,MAAAzC,OACA9D,EAAA,OAAiBE,YAAA,MAAAC,OAA6B4G,UAAAnH,EAAA2G,KAAAnG,MAC9CJ,EACA,OAEAE,YAAA,SACAuD,OACA4B,qBAAAzF,EAAAuE,QAAA6C,QAAApH,EAAAuE,QAAA8C,WAIArH,EAAAuE,QAAA6C,QAAApH,EAAAuE,QAAA8C,QAcArH,EAAAqE,KAbAjE,EAAA,OACAG,OACA+G,IAAA,GACAC,MAAA,KACAC,OAAA,KACAC,IAAAzH,EAAA0H,eAAA1H,EAAA2G,KAAAnG,GAAA,IACAmH,OACA3H,EAAA0H,eAAA1H,EAAA2G,KAAAnG,GAAA,IACA,QACAR,EAAA0H,eAAA1H,EAAA2G,KAAAnG,GAAA,KACA,WAMAR,EAAAW,GAAA,KACAP,EAAA,OAAmBE,YAAA,SAAsBN,EAAAW,GAAAX,EAAAY,GAAAZ,EAAA2G,KAAAnG,OACzCR,EAAAW,GAAA,KACAP,EAAA,OAAmBE,YAAA,eACnBN,EAAAW,GACAX,EAAAY,GACAZ,EAAAa,EACA,WACA,qEAMAT,EACA,OAEAE,YAAA,MACAuD,OAAkBS,SAAAtE,EAAAuE,QAAA6C,QAAApH,EAAAuE,QAAA8C,SAClB9G,OAAkB4G,UAAAnH,EAAA2G,KAAAnG,MAGlBJ,EACA,OAEAE,YAAA,SACAuD,OACA4B,qBAAAzF,EAAAuE,QAAA6C,QAAApH,EAAAuE,QAAA8C,WAIArH,EAAAuE,QAAA6C,QAAApH,EAAAuE,QAAA8C,QAcArH,EAAAqE,KAbAjE,EAAA,OACAG,OACA+G,IAAA,GACAC,MAAA,KACAC,OAAA,KACAC,IAAAzH,EAAA0H,eAAA1H,EAAA2G,KAAAnG,GAAA,IACAmH,OACA3H,EAAA0H,eAAA1H,EAAA2G,KAAAnG,GAAA,IACA,QACAR,EAAA0H,eAAA1H,EAAA2G,KAAAnG,GAAA,KACA,WAMAR,EAAAW,GAAA,KACAP,EAAA,OAAqBE,YAAA,SAAsBN,EAAAW,GAAAX,EAAAY,GAAAZ,EAAA2G,KAAAnG,OAC3CR,EAAAW,GAAA,KACAP,EACA,QAEAE,YAAA,cACAuD,OAAsB4B,qBAAAzF,EAAAuE,QAAAa,aACtB5D,IACAiD,OAAA,SAAAhC,GAEA,OADAA,EAAAiC,iBACA1E,EAAA4H,kBAAAnF,OAKArC,EAAA,SACAyG,IAAA,cACAtG,OACAC,GAAA,cAAAR,EAAA2G,KAAAnG,GAAAR,EAAA6H,KACA3F,KAAA,OACAoC,SAAAtE,EAAAuE,QAAAa,aAAApF,EAAAuE,QAAAC,IACAM,aAAA,eACAE,YAAA,MACAD,eAAA,MACA+C,WAAA,SAEA3F,UAA2BrB,MAAAd,EAAA2G,KAAAoB,eAE3B/H,EAAAW,GAAA,KACAP,EAAA,SACAE,YAAA,eACAC,OAAwB2B,KAAA,SAAApB,MAAA,QAIxBd,EAAAW,GAAA,KACAX,EAAAmE,SAAA6D,kBACA5H,EACA,QAEAE,YAAA,WACAuD,OAA0B4B,qBAAAzF,EAAAuE,QAAAc,UAC1B7D,IACAiD,OAAA,SAAAhC,GAEA,OADAA,EAAAiC,iBACA1E,EAAAiI,eAAAxF,OAKArC,EAAA,SACAyG,IAAA,WACAtG,OACAC,GAAA,WAAAR,EAAA2G,KAAAnG,GAAAR,EAAA6H,KACA3F,KAAA,WACA2C,SAAA,GACAP,SAAAtE,EAAAuE,QAAAc,UAAArF,EAAAuE,QAAAC,IACAe,UAAAvF,EAAAwF,kBACA1E,MAAA,GACAK,YAAAnB,EAAAa,EAAA,2BACAiE,aAAA,eACAE,YAAA,MACAD,eAAA,MACA+C,WAAA,WAGA9H,EAAAW,GAAA,KACAP,EAAA,SACAE,YAAA,eACAC,OAA4B2B,KAAA,SAAApB,MAAA,QAI5BV,EAAA,OACAJ,EAAAW,GAAA,KACAP,EACA,QAEAE,YAAA,cACAuD,OAAsB4B,qBAAAzF,EAAAuE,QAAAe,aACtB9D,IACAiD,OAAA,SAAAhC,GAEA,OADAA,EAAAiC,iBACA1E,EAAAkI,YAAAzF,OAKArC,EAAA,SACAyG,IAAA,cACAtG,OACAC,GAAA,cAAAR,EAAA2G,KAAAnG,GAAAR,EAAA6H,KACA3F,KAAA,QACAoC,SAAAtE,EAAAuE,QAAAe,aAAAtF,EAAAuE,QAAAC,IACAM,aAAA,eACAE,YAAA,MACAD,eAAA,MACA+C,WAAA,SAEA3F,UAA2BrB,MAAAd,EAAA2G,KAAAwB,SAE3BnI,EAAAW,GAAA,KACAP,EAAA,SACAE,YAAA,eACAC,OAAwB2B,KAAA,SAAApB,MAAA,QAIxBd,EAAAW,GAAA,KACAP,EACA,OAEAE,YAAA,SACAuD,OAAsB4B,qBAAAzF,EAAAuE,QAAAmB,UAGtBtF,EACA,eAEAE,YAAA,kBACAC,OACAO,MAAAd,EAAAoI,WACApH,QAAAhB,EAAAqI,gBACA/D,SAAAtE,EAAAuE,QAAAmB,QAAA1F,EAAAuE,QAAAC,IACAtD,kBAAA,SACAC,YAAAnB,EAAAa,EAAA,gCACAO,MAAA,OACAC,WAAA,KACAiH,MAAA,EACAzC,UAAA,EACAtE,SAAAvB,EAAAmE,SAAAC,QACAmE,eAAA,GAEA/G,IACAC,IAAAzB,EAAA+F,YACAyC,OAAAxI,EAAAyI,aACAC,OAAA1I,EAAA2I,mBAIAvI,EACA,QAEAyB,aAEAC,KAAA,UACAC,QAAA,iBACAjB,MAAAd,EAAA4I,kBAAA5I,EAAAoI,YACAnG,WAAA,gCACA4G,WAAsCC,MAAA,KAGtCxI,YAAA,qBACAC,OAA8BG,KAAA,SAC9BA,KAAA,UAEAV,EAAAW,GAAA,IAAAX,EAAAY,GAAAZ,EAAAoI,WAAAlE,OAAA,MAEAlE,EAAAW,GAAA,KACAP,EACA,QACqBG,OAASG,KAAA,YAAmBA,KAAA,aACjDV,EAAAW,GAAAX,EAAAY,GAAAZ,EAAAa,EAAA,gCAKA,GAEAb,EAAAW,GAAA,KACAX,EAAAiE,gBAAAC,OAAA,GAAAlE,EAAAmE,SAAAC,QACAhE,EACA,OAEAE,YAAA,YACAuD,OAA0B4B,qBAAAzF,EAAAuE,QAAAwE,aAG1B3I,EACA,eAEAE,YAAA,kBACAC,OACAO,MAAAd,EAAAgJ,oBACAhI,QAAAhB,EAAAiE,gBACAK,SAAAtE,EAAAuE,QAAAwE,WAAA/I,EAAAuE,QAAAC,IACArD,YAAAnB,EAAAa,EAAA,oCACAO,MAAA,OACAC,WAAA,KACAiH,MAAA,EACAzC,UAAA,EACA0C,eAAA,GAEA/G,IACAgH,OAAAxI,EAAAiJ,gBACAP,OAAA1I,EAAAkJ,sBAIA9I,EACA,QAEAyB,aAEAC,KAAA,UACAC,QAAA,iBACAjB,MAAAd,EAAA4I,kBACA5I,EAAAgJ,qBAEA/G,WACA,yCACA4G,WAA0CC,MAAA,KAG1CxI,YAAA,qBACAC,OAAkCG,KAAA,SAClCA,KAAA,UAGAV,EAAAW,GACA,IAAAX,EAAAY,GAAAZ,EAAAgJ,oBAAA9E,OAAA,MAIAlE,EAAAW,GAAA,KACAP,EACA,QACyBG,OAASG,KAAA,YAAmBA,KAAA,aACrDV,EAAAW,GAAAX,EAAAY,GAAAZ,EAAAa,EAAA,gCAKA,GAEAb,EAAAqE,KACArE,EAAAW,GAAA,KACAP,EACA,OAEAyB,aAEAC,KAAA,UACAC,QAAA,iBACAjB,MAAAd,EAAAmJ,UACAlH,WAAA,YACA4G,WAA8BC,MAAA,KAG9BxI,YAAA,QACAuD,OAAsB4B,qBAAAzF,EAAAuE,QAAA4B,SAGtB/F,EAAA,eACAE,YAAA,kBACAC,OACAO,MAAAd,EAAAoJ,UACApI,QAAAhB,EAAAiB,aACAqD,SAAAtE,EAAAuE,QAAA4B,OAAAnG,EAAAuE,QAAAC,IACAtD,kBAAA,SACAC,YAAAnB,EAAAa,EAAA,gCACAO,MAAA,QACAC,WAAA,KACAC,YAAA,EACAC,UAAA,GAEAC,IAAqBC,IAAAzB,EAAA0B,cAAAC,MAAA3B,EAAAqJ,gBAErBrJ,EAAAW,GAAA,KACAP,EAAA,YACAE,YAAA,sBACAuD,OAAwByF,KAAAtJ,EAAAuJ,UAAA,IACxBhJ,OAAwBiJ,IAAA,OACxBrH,UAA2BrB,MAAAd,EAAAuJ,cAG3B,GAEAvJ,EAAAW,GAAA,KACAX,EAAAsD,WAAAtB,cACA5B,EACA,OAEAE,YAAA,YACAuD,OAA0B4B,qBAAAzF,EAAAuE,QAAA6B,aAG1BhG,EAAA,eACAE,YAAA,kBACAC,OACAO,MAAAd,EAAAyJ,aACAzI,QAAAhB,EAAAoG,UACA9B,SAAAtE,EAAAuE,QAAA6B,WAAApG,EAAAuE,QAAAC,IACArD,YAAAnB,EAAAa,EAAA,8BACAO,MAAA,OACAC,WAAA,OACAC,YAAA,EACA+E,eAAA,YACAC,cAAA,SAEA9E,IAAyBG,MAAA3B,EAAA0J,oBAGzB,GAEA1J,EAAAqE,KACArE,EAAAW,GAAA,KACAX,EAAAsD,WAAAF,gBACAhD,EAAA,OAAyBE,YAAA,oBACzBN,EAAAW,GAAAX,EAAAY,GAAAZ,EAAA2G,KAAAgD,oBAEA3J,EAAAqE,KACArE,EAAAW,GAAA,KACAX,EAAAsD,WAAAH,gBACA/C,EAAA,OAAyBE,YAAA,gBACzBN,EAAAW,GAAAX,EAAAY,GAAAZ,EAAA2G,KAAAiD,YAEA5J,EAAAqE,KACArE,EAAAW,GAAA,KACAX,EAAAsD,WAAAJ,cACA9C,EACA,OAEAyB,aAEAC,KAAA,UACAC,QAAA,iBACAjB,MACAd,EAAA2G,KAAAkD,UAAA,EACA7J,EAAA8J,GAAAC,KAAAC,WAAAhK,EAAA2G,KAAAkD,WACA,GACA5H,WACA,6DACA4G,WAAkCC,MAAA,KAGlCxI,YAAA,cAGAN,EAAAW,GACA,SACAX,EAAAY,GACAZ,EAAA2G,KAAAkD,UAAA,EACA7J,EAAA8J,GAAAC,KAAAE,qBAAAjK,EAAA2G,KAAAkD,WACA7J,EAAAa,EAAA,qBAEA,UAIAb,EAAAqE,KACArE,EAAAW,GAAA,KACAP,EAAA,OAAqBE,YAAA,gBACrBN,EAAA8J,GAAAI,cAAAlK,EAAA2G,KAAAnG,IACA,UAAAR,EAAA2G,KAAAnG,IACAR,EAAAuE,QAAAC,IAyBAxE,EAAAqE,KAxBAjE,EAAA,OAA2BE,YAAA,sBAC3BF,EAAA,OACAyB,aAEAC,KAAA,gBACAC,QAAA,kBACAjB,MAAAd,EAAAmK,SACAlI,WAAA,aAGA3B,YAAA,YACAkB,IAAyB4I,MAAApK,EAAAqK,cAEzBrK,EAAAW,GAAA,KACAP,EACA,OAEAE,YAAA,cACAuD,OAA8ByG,KAAAtK,EAAAuK,cAE9BnK,EAAA,gBAAyCG,OAASE,KAAAT,EAAAwK,gBAClD,KAIAxK,EAAAW,GAAA,KACAP,EACA,OAEAE,YAAA,WACAmK,OAAwBC,QAAA,KAAA1K,EAAA2K,gBAAA,OAGxBvK,EAAA,OAA2BE,YAAA,mBAC3BN,EAAAW,GAAA,WAAAX,EAAAY,GAAAZ,EAAA2K,iBAAA,iBAQA3D,EAAMvD,eAAA,EC/dN,IAAImH,EAAM,WACV,IACA1K,EADAD,KACAE,eACAC,EAFAH,KAEAI,MAAAD,IAAAF,EACA,OAAAE,EACA,KAJAH,KAKAwG,GALAxG,KAKAQ,KAAA,SAAAoK,EAAAjE,GACA,OAAAxG,EAAA,gBAAiCwG,MAAArG,OAAmBsK,cAKpDD,EAAMnH,eAAA,ECZN,IAAIqH,EAAM,WACV,IAAA9K,EAAAC,KACAC,EAAAF,EAAAG,eACAC,EAAAJ,EAAAK,MAAAD,IAAAF,EACA,OAAAE,EAAA,MACAJ,EAAA6K,KAAAE,KACA3K,EACA,KAEAG,OACAwK,KAAA/K,EAAA6K,KAAAE,KAAA/K,EAAA6K,KAAAE,KAAA,IACAnI,OAAA5C,EAAA6K,KAAAjI,OAAA5C,EAAA6K,KAAAjI,OAAA,GACAoI,IAAA,uBAEAxJ,IAAiB4I,MAAApK,EAAA6K,KAAAI,UAGjB7K,EAAA,QAAwByD,MAAA7D,EAAA6K,KAAAK,OACxBlL,EAAAW,GAAA,KACAX,EAAA6K,KAAAM,KACA/K,EAAA,QAAAJ,EAAAW,GAAAX,EAAAY,GAAAZ,EAAA6K,KAAAM,SACAnL,EAAA6K,KAAAO,SACAhL,EAAA,KAAAJ,EAAAW,GAAAX,EAAAY,GAAAZ,EAAA6K,KAAAO,aACApL,EAAAqE,OAGArE,EAAA6K,KAAAI,OACA7K,EAAA,UAAwBoB,IAAM4I,MAAApK,EAAA6K,KAAAI,UAC9B7K,EAAA,QAAwByD,MAAA7D,EAAA6K,KAAAK,OACxBlL,EAAAW,GAAA,KACAX,EAAA6K,KAAAM,KACA/K,EAAA,QAAAJ,EAAAW,GAAAX,EAAAY,GAAAZ,EAAA6K,KAAAM,SACAnL,EAAA6K,KAAAO,SACAhL,EAAA,KAAAJ,EAAAW,GAAAX,EAAAY,GAAAZ,EAAA6K,KAAAO,aACApL,EAAAqE,OAEAjE,EAAA,QAAsBE,YAAA,aACtBF,EAAA,QAAwByD,MAAA7D,EAAA6K,KAAAK,OACxBlL,EAAAW,GAAA,KACAX,EAAA6K,KAAAM,KACA/K,EAAA,QAAAJ,EAAAW,GAAAX,EAAAY,GAAAZ,EAAA6K,KAAAM,SACAnL,EAAA6K,KAAAO,SACAhL,EAAA,KAAAJ,EAAAW,GAAAX,EAAAY,GAAAZ,EAAA6K,KAAAO,aACApL,EAAAqE,UAKAyG,EAAMrH,eAAA,ECFN,IC9CiM4H,GD+CjMC,OAAA,iBExCAC,EAAgBtE,OAAAuE,EAAA,EAAAvE,CACdoE,EACAP,MAEF,EACA,KACA,KACA,MAuBAS,EAAAvK,QAAAyK,OAAA,6CACe,ICtC4KC,GCiC3L5J,KAAA,cACAwJ,OAAA,QACAK,YACAC,YFEeL,YG/BXM,EAAY5E,OAAAuE,EAAA,EAAAvE,CACdyE,EACAd,MAEF,EACA,KACA,KACA,MAuBAiB,EAAS7K,QAAAyK,OAAA,iCACM,IAAAK,EAAAD,mSC6FfE,EAAA,QAAAC,IAAAC,EAAA,GAEA,ICrI6LC,GDsI7LpK,KAAA,UACAwJ,OAAA,wGACAK,YACAG,cACAK,YAAAC,EAAAC,GAEAxK,YACAyK,aAAAC,EAAAF,GAEAG,QAVA,aAeAC,KAfA,WAgBA,OACA5E,KAAA6E,SAAA,IAAAC,KAAAC,UACArC,YAAA,EACAI,gBAAA,GACApG,SACAC,KAAA,EACAY,aAAA,EACAC,UAAA,EACAC,aAAA,EACAI,QAAA,EACAqD,WAAA,EACA5C,OAAA,EACAiB,QAAA,EACAC,SAAA,EACAjB,WAAA,KAIAyG,UAEArC,YAFA,WAGA,IAAAsC,IACA5B,KAAA,cACAC,KAAAtK,EAAA,0BACAoK,OAAAhL,KAAA8M,aAEA7B,KAAAjL,KAAA0G,KAAAqG,QAAA,wBACA7B,KAAAlL,KAAA0G,KAAAqG,QAAAnM,EAAA,2BAAAA,EAAA,0BACAoK,OAAAhL,KAAAgN,oBASA,OAPA,OAAAhN,KAAA0G,KAAAwB,OAAA,KAAAlI,KAAA0G,KAAAwB,OACA2E,EAAAI,MACAhC,KAAA,YACAC,KAAAtK,EAAA,mCACAoK,OAAAhL,KAAAkN,kBAGAL,EAAA/J,OAAA9C,KAAAuD,kBAIA4E,WAvBA,WAuBA,IAAAgF,EAAAnN,KACAmI,EAAAnI,KAAAyF,OAAA2H,OAAA,SAAAC,GAAA,OAAAF,EAAAzG,KAAAjB,OAAA6H,SAAAD,EAAA9M,MACA,OAAA4H,GAEAY,oBA3BA,WA2BA,IAAAwE,EAAAvN,KACA+I,EAAA/I,KAAAgE,gBAAAoJ,OAAA,SAAAC,GAAA,OAAAE,EAAA7G,KAAA8G,SAAAF,SAAAD,EAAA9M,MACA,OAAAwI,GAEAX,gBA/BA,WA+BA,IAAAqF,EAAAzN,KACA,OAAAA,KAAAyF,OAAAiI,IAAA,SAAAL,GAGA,IAAAM,EAAA3G,OAAA4G,UAAAP,GAUA,OALAM,EAAAE,aACA,IAAAR,EAAAS,SACAL,EAAA/G,KAAAjB,OAAA6H,SAAAD,EAAA9M,MACA,IAAA8M,EAAAU,WACAN,EAAA/G,KAAAjB,OAAA6H,SAAAD,EAAA9M,IACAoN,KAKAzE,UAlDA,WAmDA,OAAAlJ,KAAA0G,KAAAR,MAAA8H,KACApN,EAAA,0BAAAqN,KAAApE,GAAAC,KAAAoE,cAAAlO,KAAA0G,KAAAR,MAAA8H,QAEApN,EAAA,0BAAAqN,KAAApE,GAAAC,KAAAoE,cAAA,MAEA5E,UAxDA,WAyDA,IAAApD,EAAAlG,KAAA0G,KAAAR,YACAA,EAAA,EACAA,EAAAwG,KAAAyB,IAAA,IAAAzB,KAAA0B,MAAApO,KAAA0G,KAAAR,MAAA8H,KAAA9H,EAAA,MAIAA,EAAA,SAFAlG,KAAA0G,KAAAR,MAAA8H,MAAA,GAAAtB,KAAA2B,IAAA,OAEA,IAEA,OAAAC,MAAApI,GAAA,EAAAA,GAGAiD,UApEA,WAqEA,GAAAnJ,KAAA0G,KAAAR,aAAA,GAEA,IAAAqI,EAAA1E,GAAAC,KAAAoE,cAAAlO,KAAA0G,KAAAR,aACAiD,EAAAnJ,KAAAgB,aAAAwN,KAAA,SAAAtI,GAAA,OAAAA,EAAA3F,KAAAgO,IACA,OAAApF,IAAA5I,GAAAgO,EAAApN,MAAAoN,GACA,kBAAAvO,KAAA0G,KAAAR,YAEAlG,KAAAgB,aAAA,GAEAhB,KAAAgB,aAAA,IAIAuE,kBAlFA,WAmFA,OAAAvF,KAAAyO,OAAAC,QAAAC,4BAIAnF,aAvFA,WAuFA,IAAAoF,EAAA5O,KAEA6O,EADA7O,KAAAmG,UAAA,GAAAA,UAAArD,OAAA9C,KAAAmG,UAAA,GAAAA,WACAqI,KAAA,SAAAM,GAAA,OAAAA,EAAAC,OAAAH,EAAAlI,KAAAJ,WACA,iBAAA0I,EAAAH,IAAA,KAAA7O,KAAA0G,KAAAJ,UAEAyI,KAAA/O,KAAA0G,KAAAJ,SACAzE,KAAA7B,KAAA0G,KAAAJ,UAEA,KAAAtG,KAAA0G,KAAAJ,UAGAuI,IAGAI,SAEA7E,WAFA,WAGApK,KAAAsK,YAAAtK,KAAAsK,YAEAJ,SALA,WAMAlK,KAAAsK,YAAA,GAUA7C,eAhBA,SAgBAf,GAAA,IAAAuH,EAAAiB,UAAAjL,OAAA,QAAAkL,IAAAD,UAAA,GAAAA,UAAA,MACA,OAAArF,GAAAuF,YACA,qCAEA1I,OACAuH,OACAoB,QAAAC,cAAAC,OAAAF,WAWA1G,kBAjCA,SAiCAlD,GAEA,OADAA,EAAAiI,IAAA,SAAAL,GAAA,OAAAA,EAAAxL,OACAkB,MAAA,GAAAyM,KAAA,OAGA1C,WAtCA,WAsCA,IAAA2C,EAAAzP,KACAA,KAAAsE,QAAA6C,QAAA,EACAnH,KAAAsE,QAAAC,KAAA,EACA,IAAAmL,EAAA1P,KAAA0G,KAAAnG,GACA,OAAAP,KAAAyO,OAAAkB,SAAA,aAAAD,GACAE,KAAA,WACAH,EAAAnL,QAAA6C,QAAA,EACAsI,EAAAnL,QAAAC,KAAA,KAIAyI,kBAjDA,WAiDA,IAAA6C,EAAA7P,KACAA,KAAAsE,QAAA6C,QAAA,EACAnH,KAAAsE,QAAAC,KAAA,EACA,IAAAmL,EAAA1P,KAAA0G,KAAAnG,GACAwM,GAAA/M,KAAA0G,KAAAqG,QACA,OAAA/M,KAAAyO,OAAAkB,SAAA,qBAAAD,SAAA3C,YACA6C,KAAA,WACAC,EAAAvL,QAAA6C,QAAA,EACA0I,EAAAvL,QAAAC,KAAA,KAUAoD,kBAnEA,WAmEA,IAAAmI,EAAA9P,KACAmF,EAAAnF,KAAA+P,MAAA5K,YAAAtE,MACAb,KAAAsE,QAAAa,aAAA,EACAnF,KAAAyO,OAAAkB,SAAA,eACAD,OAAA1P,KAAA0G,KAAAnG,GACAoG,IAAA,cACA9F,MAAAsE,IACAyK,KAAA,WACAE,EAAAxL,QAAAa,aAAA,EACA2K,EAAAC,MAAA5K,YAAAtE,MAAAsE,KAUA6C,eAtFA,WAsFA,IAAAgI,EAAAhQ,KACAoF,EAAApF,KAAA+P,MAAA3K,SAAAvE,MACAb,KAAAsE,QAAAc,UAAA,EACApF,KAAAyO,OAAAkB,SAAA,eACAD,OAAA1P,KAAA0G,KAAAnG,GACAoG,IAAA,WACA9F,MAAAuE,IACAwK,KAAA,WACAI,EAAA1L,QAAAc,UAAA,EACA4K,EAAAD,MAAA3K,SAAAvE,MAAA,MAUAoH,YAzGA,WAyGA,IAAAgI,EAAAjQ,KACAqF,EAAArF,KAAA+P,MAAA1K,YAAAxE,MACAb,KAAAsE,QAAAe,aAAA,EACArF,KAAAyO,OAAAkB,SAAA,eACAD,OAAA1P,KAAA0G,KAAAnG,GACAoG,IAAA,QACA9F,MAAAwE,IACAuK,KAAA,WACAK,EAAA3L,QAAAe,aAAA,EACA4K,EAAAF,MAAA1K,YAAAxE,MAAAwE,KAUAS,YA5HA,SA4HAoK,GAAA,IAAAC,EAAAnQ,KAWA,OAVAA,KAAAsE,SAAAmB,QAAA,EAAAqD,WAAA,GACA9I,KAAAyO,OAAAkB,SAAA,WAAAO,GACAN,KAAA,WACAO,EAAA7L,SAAAmB,QAAA,EAAAqD,WAAA,GACA,IAAA4G,EAAAS,EAAAzJ,KAAAnG,GACA4P,EAAA1B,OAAAkB,SAAA,gBAAAD,SAAAQ,UAEAE,MAAA,WACAD,EAAA7L,SAAAmB,QAAA,EAAAqD,WAAA,KAEA9I,KAAAyO,OAAAC,QAAA2B,UAAArQ,KAAAyF,OAAAxB,SASAuE,aAhJA,SAgJA6E,GAAA,IAAAiD,EAAAtQ,KACA,QAAAqN,EAAAS,OACA,SAEA9N,KAAAsE,QAAAmB,QAAA,EACA,IAAAiK,EAAA1P,KAAA0G,KAAAnG,GACA2P,EAAA7C,EAAA9M,GACA,OAAAP,KAAAyO,OAAAkB,SAAA,gBAAAD,SAAAQ,QACAN,KAAA,kBAAAU,EAAAhM,QAAAmB,QAAA,KASAiD,gBAjKA,SAiKA2E,GAAA,IAAAkD,EAAAvQ,KACA,QAAAqN,EAAAU,UACA,SAEA/N,KAAAsE,QAAAmB,QAAA,EACA,IAAAiK,EAAA1P,KAAA0G,KAAAnG,GACA2P,EAAA7C,EAAA9M,GACA,OAAAP,KAAAyO,OAAAkB,SAAA,mBAAAD,SAAAQ,QACAN,KAAA,WACAW,EAAAjM,QAAAmB,QAAA,EAEA8K,EAAAC,OAAAC,OAAAnN,gBAAA4M,GACAK,EAAA9B,OAAAiC,OAAA,aAAAhB,KAGAU,MAAA,WACAG,EAAAjM,QAAAmB,QAAA,KAUAuD,gBA3LA,SA2LAqE,GAAA,IAAAsD,EAAA3Q,KACAA,KAAAsE,QAAAwE,WAAA,EACA,IAAA4G,EAAA1P,KAAA0G,KAAAnG,GACA2P,EAAA7C,EAAA9M,GACA,OAAAP,KAAAyO,OAAAkB,SAAA,mBAAAD,SAAAQ,QACAN,KAAA,kBAAAe,EAAArM,QAAAwE,WAAA,KASAG,mBAzMA,SAyMAoE,GAAA,IAAAuD,EAAA5Q,KACAA,KAAAsE,QAAAwE,WAAA,EACA,IAAA4G,EAAA1P,KAAA0G,KAAAnG,GACA2P,EAAA7C,EAAA9M,GACA,OAAAP,KAAAyO,OAAAkB,SAAA,sBAAAD,SAAAQ,QACAN,KAAA,kBAAAgB,EAAAtM,QAAAwE,WAAA,KASAM,aAvNA,WAuNA,IAAAyH,EAAA7Q,KAAAkG,EAAAgJ,UAAAjL,OAAA,QAAAkL,IAAAD,UAAA,GAAAA,UAAA,UASA,OARAlP,KAAAsE,QAAA4B,OAAA,EAEAA,IAAA3F,GAAA2F,EAAA3F,GAAA2F,EACAlG,KAAAyO,OAAAkB,SAAA,eACAD,OAAA1P,KAAA0G,KAAAnG,GACAoG,IAAA,QACA9F,MAAAqF,IACA0J,KAAA,kBAAAiB,EAAAvM,QAAA4B,OAAA,IACAA,GASAzE,cAzOA,SAyOAyE,GAEA,IAAA4K,EAAAjH,GAAAC,KAAAiH,iBAAA7K,GACA,cAAA4K,MAAA,GAEA9Q,KAAAoJ,aAAAS,GAAAC,KAAAoE,cAAArE,GAAAC,KAAAiH,iBAAA7K,MAYAuD,gBA1PA,SA0PAqF,GAAA,IAAAkC,EAAAhR,KAQA,OAPAA,KAAAsE,QAAA6B,WAAA,EAEAnG,KAAAyO,OAAAkB,SAAA,eACAD,OAAA1P,KAAA0G,KAAAnG,GACAoG,IAAA,WACA9F,MAAAiO,EAAAC,OACAa,KAAA,kBAAAoB,EAAA1M,QAAA6B,WAAA,IACA2I,GAMA5B,gBAxQA,WAwQA,IAAA+D,EAAAjR,KACAA,KAAAsE,QAAAC,KAAA,EACAvE,KAAAyO,OAAAkB,SAAA,kBAAA3P,KAAA0G,KAAAnG,IACAqP,KAAA,SAAAsB,GACAA,IAEAD,EAAAvG,gBAAA9J,EAAA,gCACAuQ,WAAA,WACAF,EAAAvG,gBAAA,IACA,MAEAuG,EAAA3M,QAAAC,KAAA,OExhBI6M,EAAYpK,OAAAuE,EAAA,EAAAvE,CACdiF,EACAlF,MAEF,EACA,KACA,KACA,MAuBAqK,EAASrQ,QAAAyK,OAAA,sCACM,IAAA6F,EAAAD,4BCtCyKE,GCgJxLzP,KAAA,WACAwJ,OAAA,wDACAK,YACA2F,UACAnF,YAAAC,EAAAC,EACAmF,gBAAAC,EAAApF,GAEAI,KARA,WASA,IAAAiF,GAAAlR,GAAA,OAAAY,MAAAP,EAAA,yBACAE,GAAAP,GAAA,UAAAY,MAAAP,EAAA,6BACA,OACA6Q,iBACA3Q,eACAwD,SACAC,KAAA,EACAkB,QAAA,GAEA3B,UAAA,EACA4N,YAAA,GACA/M,SACApE,GAAA,GACA4E,YAAA,GACAC,SAAA,GACAC,YAAA,GACAI,UACAzB,mBACAkC,MAAApF,EACAwF,UAAAyI,KAAA,KAAAlN,KAAAjB,EAAA,mCAIA2L,QAhCA,WAiCAvM,KAAAkE,SAAA6D,mBACA8B,GAAA8H,aAAAC,cAAAhR,EAAA,8EAQAkL,EAAA,QAAA+F,IAAA7R,KAAA2E,QAAA2B,SAAA,OAAAtG,KAAAkE,SAAA4N,iBAMA9R,KAAA+R,uBAAA/R,KAAAwQ,OAAAC,OAAAnN,eAKAtD,KAAAgS,WAAA,IAAAC,IAAAC,OAAAlS,KAAAmS,OAAAnS,KAAAoS,cAEAxF,UACA1I,SADA,WAEA,OAAAlE,KAAAyO,OAAAC,QAAA2D,eAEA5L,cAJA,WAKA,gBAAAzG,KAAAsD,cAAA,CACA,IAAAgP,EAAAtS,KAAAoD,MAAAgK,OAAA,SAAA1G,GAAA,WAAAA,EAAAqG,UAMA,OALA,IAAAuF,EAAArO,QAAAjE,KAAA+P,MAAAwC,iBAAAvS,KAAA+P,MAAAwC,gBAAAC,aAEAxS,KAAAyS,QAAAxF,MAAApL,KAAA,UACA7B,KAAA+P,MAAAwC,gBAAAG,MAAA,2BAEAJ,EAEA,OAAAtS,KAAAkE,SAAAC,QAIAnE,KAAAoD,MAAAgK,OAAA,SAAA1G,GAAA,WAAAA,EAAAqG,UAFA/M,KAAAoD,MAAAgK,OAAA,SAAA1G,GAAA,WAAAA,EAAAqG,SAAArG,EAAAnG,KAAAoS,mBAIAlN,OApBA,WAsBA,OAAAzF,KAAAyO,OAAAC,QAAA2B,UACAjD,OAAA,SAAAC,GAAA,mBAAAA,EAAA9M,KACAqS,KAAA,SAAAxG,EAAAyG,GAAA,OAAAzG,EAAAvK,KAAAiR,cAAAD,EAAAhR,SAEA8D,aA1BA,WA4BA,OAAA3F,KAAAyF,OAAAiI,IAAA,SAAAL,GAKA,OAFAA,EAAArG,OAAA4G,UAAAP,IACAQ,aAAA,IAAAR,EAAAS,OACAT,KAGArJ,gBApCA,WAsCA,OAAAhE,KAAAyO,OAAAC,QAAAqE,mBAEA/R,aAxCA,WA0CA,IAAAgS,EAAAhT,KAAAkE,SAAA8O,YAAAC,OAAA,SAAAC,EAAAC,GAAA,OAAAD,EAAApQ,QAAAvC,GAAA4S,EAAAhS,MAAAgS,SAIA,OAFAH,EAAAI,QAAApT,KAAAyR,gBACAuB,EAAAI,QAAApT,KAAAc,cACAkS,GAEAzN,kBAhDA,WAiDA,OAAAvF,KAAAyO,OAAAC,QAAAC,4BAEA0E,YAnDA,WAoDA,OAAArT,KAAAyO,OAAAC,QAAA4E,gBAEAC,WAtDA,WAuDA,OAAAvT,KAAAyO,OAAAC,QAAA8E,eAIArN,UA3DA,WA4DA,OAAA/D,OAEAjB,MAAAP,EAAA,+BACAuF,UAAAnG,KAAAkE,SAAAiC,UAAAsN,kBAGAtS,MAAAP,EAAA,4BACAuF,UAAAnG,KAAAkE,SAAAiC,wBAKAuN,OAEApQ,cAAA,SAAAqQ,EAAAC,GACA5T,KAAAyO,OAAAiC,OAAA,cACA1Q,KAAA+P,MAAAwC,gBAAAG,MAAA,0BACA1S,KAAA+R,uBAAA4B,KAGA1E,SACAtL,SADA,SACAkQ,GACA7T,KAAA8D,SAAA+P,EAAAlR,OAAAmR,SAAA,GASArS,cAXA,SAWAyE,GAEA,IAAA4K,EAAAjH,GAAAC,KAAAiH,iBAAA7K,GACA,cAAA4K,MAAA,GAEA5K,EAAA2D,GAAAC,KAAAoE,cAAArE,GAAAC,KAAAiH,iBAAA7K,IACAlG,KAAA2E,QAAAuB,OAAA3F,GAAA2F,EAAA/E,MAAA+E,IAGAlG,KAAA2E,QAAAuB,MAAAlG,KAAAgB,aAAA,IAGA8F,gBAvBA,SAuBAiN,GACA/T,KAAAyO,OAAAkB,SAAA,YACAqE,OAAAhU,KAAAqT,YACAhL,MAAArI,KAAAuT,WACAlG,MAAA,aAAArN,KAAAsD,cAAAtD,KAAAsD,cAAA,GACA6O,OAAAnS,KAAA0R,cAEA9B,KAAA,SAAAqE,KAAAF,EAAAG,SAAAH,EAAAI,cAIAhC,OAlCA,SAkCAiC,GACApU,KAAA0R,YAAA0C,EACApU,KAAAyO,OAAAiC,OAAA,cACA1Q,KAAA+P,MAAAwC,gBAAAG,MAAA,2BAEAN,YAvCA,WAwCApS,KAAAmS,OAAA,KAGAkC,UA3CA,WA6CArN,OAAA4G,OAAA5N,KAAA2E,QAAA3E,KAAAsU,SAAA9H,KAAA+H,KAAAvU,MAAA2E,SACA3E,KAAAsE,QAAAC,KAAA,GAEAG,WAhDA,WAgDA,IAAAyI,EAAAnN,KACAA,KAAAsE,QAAAC,KAAA,EACAvE,KAAAyO,OAAAkB,SAAA,WACAD,OAAA1P,KAAA2E,QAAApE,GACA6E,SAAApF,KAAA2E,QAAAS,SACAD,YAAAnF,KAAA2E,QAAAQ,YACA+C,MAAAlI,KAAA2E,QAAAU,YACAI,OAAAzF,KAAA2E,QAAAc,OAAAiI,IAAA,SAAAL,GAAA,OAAAA,EAAA9M,KACAiN,SAAAxN,KAAA2E,QAAAX,gBAAA0J,IAAA,SAAAL,GAAA,OAAAA,EAAA9M,KACA2F,MAAAlG,KAAA2E,QAAAuB,MAAA3F,GACA+F,SAAAtG,KAAA2E,QAAA2B,SAAAyI,OACAa,KAAA,kBAAAzC,EAAAkH,cACAjE,MAAA,kBAAAjD,EAAA7I,QAAAC,KAAA,KAEAwN,uBA9DA,SA8DAlR,GACA,GAAAA,KAAAoD,OAAA,GAEA,IAAAuQ,EAAAxU,KAAAyF,OAAA+I,KAAA,SAAAnB,GAAA,OAAAA,EAAA9M,KAAAM,IACA,GAAA2T,EAEA,YADAxU,KAAA2E,QAAAc,QAAA+O,IAKAxU,KAAA2E,QAAAc,WASAK,YAjFA,SAiFAoK,GAAA,IAAA3C,EAAAvN,KAUA,OATAA,KAAAsE,QAAAmB,QAAA,EACAzF,KAAAyO,OAAAkB,SAAA,WAAAO,GACAN,KAAA,SAAAvC,GACAE,EAAA5I,QAAAc,OAAAwH,KAAAM,EAAA9H,OAAA+I,KAAA,SAAAnB,GAAA,OAAAA,EAAA9M,KAAA2P,KACA3C,EAAAjJ,QAAAmB,QAAA,IAEA2K,MAAA,WACA7C,EAAAjJ,QAAAmB,QAAA,IAEAzF,KAAAyO,OAAAC,QAAA2B,UAAArQ,KAAAyF,OAAAxB,WC1WIwQ,EAAYzN,OAAAuE,EAAA,EAAAvE,CACdsK,EACA7N,MAEF,EACA,KACA,KACA,MAuBAgR,EAAS1T,QAAAyK,OAAA,8BACM,IAAAkJ,EAAAD,sQC4Bf3I,EAAA,QAAAC,IAAA4I,EAAAvI,GAEA,ICpEqLwI,GDqErL/S,KAAA,QACAwJ,OAAA,iBACAK,YACAmJ,cAAAC,EAAA,cACAJ,WACAxI,YAAAC,EAAAC,GAEA2I,YARA,WASA/U,KAAAyO,OAAAiC,OAAA,cACAjL,OAAAzF,KAAAyO,OAAAC,QAAA2D,cAAA5M,OACAuP,QAAAhV,KAAAyO,OAAAC,QAAA2D,cAAA4C,WACAC,UAAAlV,KAAAyO,OAAAC,QAAA2D,cAAA6C,YAEAlV,KAAAyO,OAAAkB,SAAA,+BAEAwF,QAhBA,WAmBAnO,OAAA4G,OAAAqE,KACAmD,UACAC,UACAC,eAAAtV,KAAAsV,oBAKA9I,KA3BA,WA4BA,OAEAiF,gBAAAlR,GAAA,OAAAY,MAAAP,EAAA,yBAEA2U,eAAA,EACAhS,mBACAiS,mBAAA,EACAC,iBAAA,EACApS,YACAF,iBAAA,EACAD,iBAAA,EACAD,eAAA,EACAc,iBAAA,EACAhC,eAAA,KAIAkN,SACAyG,kBADA,WAEA1V,KAAAqD,WAAAU,iBAAA/D,KAAAqD,WAAAU,gBACA/D,KAAAqD,WAAAU,iBACA+H,EAAA,QAAA6J,SAAA,WACAC,OAAAC,YAAAC,WAIAC,gBATA,SASApP,GAEA,IAAAqP,EAAAhW,KAAAiW,cAAAC,IAAAvP,GAGA,OADA3G,KAAAqD,WAAAsD,GAAA,OAAAqP,EAAA,SAAAA,EAAAhW,KAAAqD,WAAAsD,GACA3G,KAAAqD,WAAAsD,IAEAwP,gBAhBA,SAgBAxP,EAAAyP,GAGA,OAFApW,KAAAqD,WAAAsD,GAAAyP,EACApW,KAAAiW,cAAApE,IAAAlL,EAAAyP,GACAA,GAEAC,YArBA,SAqBAC,GACA,IAAAC,EAAAvW,KAEA6J,GAAA2M,QAAAC,QACA7V,EAAA,wFAAAyM,MAAAiJ,IACA1V,EAAA,gDACA,SAAAsQ,GACAA,GACAqF,EAAA9H,OAAAkB,SAAA,cAAA2G,MAYA3U,gBAzCA,WAyCA,IAAAwL,EAAAnN,KAAAkG,EAAAgJ,UAAAjL,OAAA,QAAAkL,IAAAD,UAAA,GAAAA,UAAA,UACAlP,KAAAyO,OAAAkB,SAAA,gBACA+G,IAAA,QACA/P,IAAA,gBAEA9F,MAAAqF,EAAA3F,GAAA2F,EAAA3F,GAAA2F,IACA0J,KAAA,WACA,WAAA+G,EAAAzQ,KACAA,GAAA3F,GAAA2F,EAAA/E,MAAA+E,IAEAiH,EAAArM,aAAAoF,KAUAzE,cA7DA,SA6DAyE,GAEA,IAAA4K,EAAAjH,GAAAC,KAAAiH,iBAAA7K,GACA,WAAA4K,EACA9Q,KAAA2B,gBAAA,QACA,OAAAmP,GAEA9Q,KAAA2B,gBAAAkI,GAAAC,KAAAoE,cAAArE,GAAAC,KAAAiH,iBAAA7K,MAaAoP,eAjFA,SAiFArK,EAAAC,EAAAF,GAMA,OALAhL,KAAAuD,gBAAA0J,MACAhC,OACAC,OACAF,WAEAhL,KAAAuD,iBAQAuC,YA/FA,SA+FA+N,GAAA,IAAAtG,EAAAvN,KACAkQ,EAAA2D,EAAAlR,OAAA,GAAA9B,MACAb,KAAAyV,iBAAA,EACAzV,KAAAyO,OAAAkB,SAAA,WAAAO,GACAN,KAAA,WACArC,EAAAiI,mBAAA,EACAjI,EAAAkI,iBAAA,IAEArF,MAAA,WACA7C,EAAAkI,iBAAA,MAIA7I,UACAxJ,MADA,WAEA,OAAApD,KAAAyO,OAAAC,QAAAkI,UAEAtS,QAJA,WAKA,WAAA0C,OAAAC,KAAAjH,KAAAoD,OAAAa,QAEAoP,YAPA,WAQA,OAAArT,KAAAyO,OAAAC,QAAA4E,gBAEAC,WAVA,WAWA,OAAAvT,KAAAyO,OAAAC,QAAA8E,eAIAzR,eACAmU,IAAA,kBAAAlW,KAAA+V,gBAAA,kBACAlE,IAAA,SAAAuE,GACApW,KAAAmW,gBAAA,gBAAAC,KAGAnT,eACAiT,IAAA,kBAAAlW,KAAA+V,gBAAA,kBACAlE,IAAA,SAAAuE,GACApW,KAAAmW,gBAAA,gBAAAC,KAGAlT,iBACAgT,IAAA,kBAAAlW,KAAA+V,gBAAA,oBACAlE,IAAA,SAAAuE,GACApW,KAAAmW,gBAAA,kBAAAC,KAGAjT,iBACA+S,IAAA,kBAAAlW,KAAA+V,gBAAA,oBACAlE,IAAA,SAAAuE,GACApW,KAAAmW,gBAAA,kBAAAC,KAIAlB,UAxCA,WAyCA,OAAAlV,KAAAyO,OAAAC,QAAAmI,cAEA3S,SA3CA,WA4CA,OAAAlE,KAAAyO,OAAAC,QAAA2D,eAIArR,aAhDA,WAkDA,IAAAgS,EAAAhT,KAAAkE,SAAA8O,YAAAC,OAAA,SAAAC,EAAAC,GAAA,OAAAD,EAAApQ,QAAAvC,GAAA4S,EAAAhS,MAAAgS,SAGA,OADAH,EAAAI,QAAApT,KAAAyR,gBACAuB,GAGAlS,cACAoV,IAAA,WACA,WAAAlW,KAAAuV,cACAvV,KAAAuV,cAEA1L,GAAAC,KAAAiH,iBAAA/Q,KAAAkE,SAAApD,cAAA,GAEAP,GAAAP,KAAAkE,SAAApD,aAAAK,MAAAnB,KAAAkE,SAAApD,cAEAd,KAAAyR,gBAEAI,IAAA,SAAA3L,GACAlG,KAAAuV,cAAArP,IAMA1F,KA1EA,WA0EA,IAAAiN,EAAAzN,KAEAuW,EAAAvW,KACAyF,EAAAzF,KAAAyO,OAAAC,QAAA2B,UAyCAyG,GArCArR,GAHAA,EAAArD,MAAAC,QAAAoD,SAGAiI,IAAA,SAAAL,GACA,IAAAzC,KA6BA,OA5BAA,EAAArK,GAAA8M,EAAA9M,GAAAwW,QAAA,SACAnM,EAAAjE,IAAAiE,EAAArK,GACAqK,EAAAoM,SAGApM,EAAAqM,QACApV,KAAA,QACA4O,QAAAnN,cAAA+J,EAAA9M,KAIAqK,EAAAM,KAAAmC,EAAAxL,KAGAwL,EAAA6J,UAAA7J,EAAAhJ,SAAA,IACAuG,EAAAoM,MAAAG,QAAA9J,EAAA6J,UAAA7J,EAAAhJ,UAGA,UAAAuG,EAAArK,IAAA,aAAAqK,EAAArK,IAAAkN,EAAAvJ,SAAAC,UAEAyG,EAAAoM,MAAAnK,UACA5B,KAAA,cACAC,KAAAtK,EAAA,2BACAoK,OAAA,WACAuL,EAAAF,YAAAhJ,EAAA9M,QAIAqK,KAOA4D,KAAA,SAAAnB,GAAA,mBAAAA,EAAA9M,IAAA,UAAA8M,EAAA9M,KAGA,GAFAuW,OAAA,IAAAA,QACAA,EAAA1U,MAAAC,QAAAyU,UACA7S,OAAA,GACA,IAAAmT,GACAC,SAAA,EACAnM,KAAAtK,EAAA,sBAEA6E,EAAA2N,QAAAgE,GAIA,IAAAE,EAAA7R,EAAA+I,KAAA,SAAAnB,GAAA,eAAAA,EAAA9M,KACAgX,EAAA9R,EAAA+I,KAAA,SAAAnB,GAAA,kBAAAA,EAAA9M,KAGAkF,IAAA2H,OAAA,SAAAC,GAAA,gCAAAmK,QAAAnK,EAAA9M,MAEA+W,KAAApM,OACAoM,EAAApM,KAAAtK,EAAA,qBACA0W,EAAArM,KAAA,kBACAxF,EAAA2N,QAAAkE,IAEAC,KAAArM,OACAqM,EAAArM,KAAAtK,EAAA,6BACA2W,EAAAtM,KAAA,sBACAsM,EAAAP,OAAAO,EAAAP,MAAAG,QAAA,GACA1R,EAAA2N,QAAAmE,IAMA,IAAAE,GACAlX,GAAA,WACAoG,IAAA,WACAsE,KAAA,qBACAgM,QAAApV,KAAA,SACAqJ,KAAAtK,EAAA,wBAGAZ,KAAAkV,UAAA,GACApJ,EAAA,QAAA+F,IAAA4F,EAAA,SACAN,QAAAnX,KAAAkV,YAGAzP,EAAA2N,QAAAqE,GAEA,IAAAC,GACAnX,GAAA,WACAoG,IAAA,WACAsE,KAAA,WACAC,KAAAtK,EAAA,wBACA+W,QAAA3X,KAAAyV,gBAAA,yBAmBA,OAjBAzV,KAAAwV,mBACA1J,EAAA,QAAA+F,IAAA6F,EAAA,QACAxM,KAAAtK,EAAA,wBACAoK,OAAAhL,KAAA8F,YACA8R,MAAA,WACArB,EAAAf,mBAAA,KAGAkC,EAAAC,QAAA,WAEA7L,EAAA,QAAA+F,IAAA6F,EAAA,oBACAnB,EAAAf,mBAAA,IAGA/P,EAAA2N,QAAAsE,IAIAnX,GAAA,gBACAsX,KACAtX,GAAA,kBACA2K,KAAAtK,EAAA,uBACAqK,KAAA,WACAD,OAAAhL,KAAA0V,mBAEAoC,MAAArS,ME5ZIsS,EAAY/Q,OAAAuE,EAAA,EAAAvE,CACd4N,EACA9U,MAEF,EACA,KACA,KACA,MAuBAiY,EAAShX,QAAAyK,OAAA,sBACMwM,EAAA,QAAAD","file":"3.js","sourcesContent":["var render = function() {\n var _vm = this\n var _h = _vm.$createElement\n var _c = _vm._self._c || _h\n return _c(\n \"div\",\n { staticClass: \"app-settings\", attrs: { id: \"content\" } },\n [\n _c(\n \"app-navigation\",\n { attrs: { menu: _vm.menu } },\n [\n _c(\"template\", { slot: \"settings-content\" }, [\n _c(\n \"div\",\n [\n _c(\"p\", [_vm._v(_vm._s(_vm.t(\"settings\", \"Default quota:\")))]),\n _vm._v(\" \"),\n _c(\"multiselect\", {\n staticClass: \"multiselect-vue\",\n attrs: {\n value: _vm.defaultQuota,\n options: _vm.quotaOptions,\n \"tag-placeholder\": \"create\",\n placeholder: _vm.t(\"settings\", \"Select default quota\"),\n label: \"label\",\n \"track-by\": \"id\",\n allowEmpty: false,\n taggable: true\n },\n on: { tag: _vm.validateQuota, input: _vm.setDefaultQuota }\n })\n ],\n 1\n ),\n _vm._v(\" \"),\n _c(\"div\", [\n _c(\"input\", {\n directives: [\n {\n name: \"model\",\n rawName: \"v-model\",\n value: _vm.showLanguages,\n expression: \"showLanguages\"\n }\n ],\n staticClass: \"checkbox\",\n attrs: { type: \"checkbox\", id: \"showLanguages\" },\n domProps: {\n checked: Array.isArray(_vm.showLanguages)\n ? _vm._i(_vm.showLanguages, null) > -1\n : _vm.showLanguages\n },\n on: {\n change: function($event) {\n var $$a = _vm.showLanguages,\n $$el = $event.target,\n $$c = $$el.checked ? true : false\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v)\n if ($$el.checked) {\n $$i < 0 && (_vm.showLanguages = $$a.concat([$$v]))\n } else {\n $$i > -1 &&\n (_vm.showLanguages = $$a\n .slice(0, $$i)\n .concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.showLanguages = $$c\n }\n }\n }\n }),\n _vm._v(\" \"),\n _c(\"label\", { attrs: { for: \"showLanguages\" } }, [\n _vm._v(_vm._s(_vm.t(\"settings\", \"Show Languages\")))\n ])\n ]),\n _vm._v(\" \"),\n _c(\"div\", [\n _c(\"input\", {\n directives: [\n {\n name: \"model\",\n rawName: \"v-model\",\n value: _vm.showLastLogin,\n expression: \"showLastLogin\"\n }\n ],\n staticClass: \"checkbox\",\n attrs: { type: \"checkbox\", id: \"showLastLogin\" },\n domProps: {\n checked: Array.isArray(_vm.showLastLogin)\n ? _vm._i(_vm.showLastLogin, null) > -1\n : _vm.showLastLogin\n },\n on: {\n change: function($event) {\n var $$a = _vm.showLastLogin,\n $$el = $event.target,\n $$c = $$el.checked ? true : false\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v)\n if ($$el.checked) {\n $$i < 0 && (_vm.showLastLogin = $$a.concat([$$v]))\n } else {\n $$i > -1 &&\n (_vm.showLastLogin = $$a\n .slice(0, $$i)\n .concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.showLastLogin = $$c\n }\n }\n }\n }),\n _vm._v(\" \"),\n _c(\"label\", { attrs: { for: \"showLastLogin\" } }, [\n _vm._v(_vm._s(_vm.t(\"settings\", \"Show last login\")))\n ])\n ]),\n _vm._v(\" \"),\n _c(\"div\", [\n _c(\"input\", {\n directives: [\n {\n name: \"model\",\n rawName: \"v-model\",\n value: _vm.showUserBackend,\n expression: \"showUserBackend\"\n }\n ],\n staticClass: \"checkbox\",\n attrs: { type: \"checkbox\", id: \"showUserBackend\" },\n domProps: {\n checked: Array.isArray(_vm.showUserBackend)\n ? _vm._i(_vm.showUserBackend, null) > -1\n : _vm.showUserBackend\n },\n on: {\n change: function($event) {\n var $$a = _vm.showUserBackend,\n $$el = $event.target,\n $$c = $$el.checked ? true : false\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v)\n if ($$el.checked) {\n $$i < 0 && (_vm.showUserBackend = $$a.concat([$$v]))\n } else {\n $$i > -1 &&\n (_vm.showUserBackend = $$a\n .slice(0, $$i)\n .concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.showUserBackend = $$c\n }\n }\n }\n }),\n _vm._v(\" \"),\n _c(\"label\", { attrs: { for: \"showUserBackend\" } }, [\n _vm._v(_vm._s(_vm.t(\"settings\", \"Show user backend\")))\n ])\n ]),\n _vm._v(\" \"),\n _c(\"div\", [\n _c(\"input\", {\n directives: [\n {\n name: \"model\",\n rawName: \"v-model\",\n value: _vm.showStoragePath,\n expression: \"showStoragePath\"\n }\n ],\n staticClass: \"checkbox\",\n attrs: { type: \"checkbox\", id: \"showStoragePath\" },\n domProps: {\n checked: Array.isArray(_vm.showStoragePath)\n ? _vm._i(_vm.showStoragePath, null) > -1\n : _vm.showStoragePath\n },\n on: {\n change: function($event) {\n var $$a = _vm.showStoragePath,\n $$el = $event.target,\n $$c = $$el.checked ? true : false\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v)\n if ($$el.checked) {\n $$i < 0 && (_vm.showStoragePath = $$a.concat([$$v]))\n } else {\n $$i > -1 &&\n (_vm.showStoragePath = $$a\n .slice(0, $$i)\n .concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.showStoragePath = $$c\n }\n }\n }\n }),\n _vm._v(\" \"),\n _c(\"label\", { attrs: { for: \"showStoragePath\" } }, [\n _vm._v(_vm._s(_vm.t(\"settings\", \"Show storage path\")))\n ])\n ])\n ])\n ],\n 2\n ),\n _vm._v(\" \"),\n _c(\"user-list\", {\n attrs: {\n users: _vm.users,\n showConfig: _vm.showConfig,\n selectedGroup: _vm.selectedGroup,\n externalActions: _vm.externalActions\n }\n })\n ],\n 1\n )\n}\nvar staticRenderFns = []\nrender._withStripped = true\n\nexport { render, staticRenderFns }","var render = function() {\n var _vm = this\n var _h = _vm.$createElement\n var _c = _vm._self._c || _h\n return _c(\n \"div\",\n {\n staticClass: \"user-list-grid\",\n attrs: { id: \"app-content\" },\n on: {\n \"&scroll\": function($event) {\n return _vm.onScroll($event)\n }\n }\n },\n [\n _c(\n \"div\",\n {\n staticClass: \"row\",\n class: { sticky: _vm.scrolled && !_vm.showConfig.showNewUserForm },\n attrs: { id: \"grid-header\" }\n },\n [\n _c(\"div\", { staticClass: \"avatar\", attrs: { id: \"headerAvatar\" } }),\n _vm._v(\" \"),\n _c(\"div\", { staticClass: \"name\", attrs: { id: \"headerName\" } }, [\n _vm._v(_vm._s(_vm.t(\"settings\", \"Username\")))\n ]),\n _vm._v(\" \"),\n _c(\n \"div\",\n { staticClass: \"displayName\", attrs: { id: \"headerDisplayName\" } },\n [_vm._v(_vm._s(_vm.t(\"settings\", \"Display name\")))]\n ),\n _vm._v(\" \"),\n _c(\n \"div\",\n { staticClass: \"password\", attrs: { id: \"headerPassword\" } },\n [_vm._v(_vm._s(_vm.t(\"settings\", \"Password\")))]\n ),\n _vm._v(\" \"),\n _c(\n \"div\",\n { staticClass: \"mailAddress\", attrs: { id: \"headerAddress\" } },\n [_vm._v(_vm._s(_vm.t(\"settings\", \"Email\")))]\n ),\n _vm._v(\" \"),\n _c(\"div\", { staticClass: \"groups\", attrs: { id: \"headerGroups\" } }, [\n _vm._v(_vm._s(_vm.t(\"settings\", \"Groups\")))\n ]),\n _vm._v(\" \"),\n _vm.subAdminsGroups.length > 0 && _vm.settings.isAdmin\n ? _c(\n \"div\",\n { staticClass: \"subadmins\", attrs: { id: \"headerSubAdmins\" } },\n [_vm._v(_vm._s(_vm.t(\"settings\", \"Group admin for\")))]\n )\n : _vm._e(),\n _vm._v(\" \"),\n _c(\"div\", { staticClass: \"quota\", attrs: { id: \"headerQuota\" } }, [\n _vm._v(_vm._s(_vm.t(\"settings\", \"Quota\")))\n ]),\n _vm._v(\" \"),\n _vm.showConfig.showLanguages\n ? _c(\n \"div\",\n { staticClass: \"languages\", attrs: { id: \"headerLanguages\" } },\n [_vm._v(_vm._s(_vm.t(\"settings\", \"Language\")))]\n )\n : _vm._e(),\n _vm._v(\" \"),\n _vm.showConfig.showStoragePath\n ? _c(\n \"div\",\n { staticClass: \"headerStorageLocation storageLocation\" },\n [_vm._v(_vm._s(_vm.t(\"settings\", \"Storage location\")))]\n )\n : _vm._e(),\n _vm._v(\" \"),\n _vm.showConfig.showUserBackend\n ? _c(\"div\", { staticClass: \"headerUserBackend userBackend\" }, [\n _vm._v(_vm._s(_vm.t(\"settings\", \"User backend\")))\n ])\n : _vm._e(),\n _vm._v(\" \"),\n _vm.showConfig.showLastLogin\n ? _c(\"div\", { staticClass: \"headerLastLogin lastLogin\" }, [\n _vm._v(_vm._s(_vm.t(\"settings\", \"Last login\")))\n ])\n : _vm._e(),\n _vm._v(\" \"),\n _c(\"div\", { staticClass: \"userActions\" })\n ]\n ),\n _vm._v(\" \"),\n _c(\n \"form\",\n {\n directives: [\n {\n name: \"show\",\n rawName: \"v-show\",\n value: _vm.showConfig.showNewUserForm,\n expression: \"showConfig.showNewUserForm\"\n }\n ],\n staticClass: \"row\",\n class: { sticky: _vm.scrolled && _vm.showConfig.showNewUserForm },\n attrs: { id: \"new-user\", disabled: _vm.loading.all },\n on: {\n submit: function($event) {\n $event.preventDefault()\n return _vm.createUser($event)\n }\n }\n },\n [\n _c(\"div\", {\n class: _vm.loading.all ? \"icon-loading-small\" : \"icon-add\"\n }),\n _vm._v(\" \"),\n _c(\"div\", { staticClass: \"name\" }, [\n _c(\"input\", {\n directives: [\n {\n name: \"model\",\n rawName: \"v-model\",\n value: _vm.newUser.id,\n expression: \"newUser.id\"\n }\n ],\n attrs: {\n id: \"newusername\",\n type: \"text\",\n required: \"\",\n placeholder: _vm.t(\"settings\", \"Username\"),\n name: \"username\",\n autocomplete: \"off\",\n autocapitalize: \"none\",\n autocorrect: \"off\",\n pattern: \"[a-zA-Z0-9 _\\\\.@\\\\-']+\"\n },\n domProps: { value: _vm.newUser.id },\n on: {\n input: function($event) {\n if ($event.target.composing) {\n return\n }\n _vm.$set(_vm.newUser, \"id\", $event.target.value)\n }\n }\n })\n ]),\n _vm._v(\" \"),\n _c(\"div\", { staticClass: \"displayName\" }, [\n _c(\"input\", {\n directives: [\n {\n name: \"model\",\n rawName: \"v-model\",\n value: _vm.newUser.displayName,\n expression: \"newUser.displayName\"\n }\n ],\n attrs: {\n id: \"newdisplayname\",\n type: \"text\",\n placeholder: _vm.t(\"settings\", \"Display name\"),\n name: \"displayname\",\n autocomplete: \"off\",\n autocapitalize: \"none\",\n autocorrect: \"off\"\n },\n domProps: { value: _vm.newUser.displayName },\n on: {\n input: function($event) {\n if ($event.target.composing) {\n return\n }\n _vm.$set(_vm.newUser, \"displayName\", $event.target.value)\n }\n }\n })\n ]),\n _vm._v(\" \"),\n _c(\"div\", { staticClass: \"password\" }, [\n _c(\"input\", {\n directives: [\n {\n name: \"model\",\n rawName: \"v-model\",\n value: _vm.newUser.password,\n expression: \"newUser.password\"\n }\n ],\n attrs: {\n id: \"newuserpassword\",\n type: \"password\",\n required: _vm.newUser.mailAddress === \"\",\n placeholder: _vm.t(\"settings\", \"Password\"),\n name: \"password\",\n autocomplete: \"new-password\",\n autocapitalize: \"none\",\n autocorrect: \"off\",\n minlength: _vm.minPasswordLength\n },\n domProps: { value: _vm.newUser.password },\n on: {\n input: function($event) {\n if ($event.target.composing) {\n return\n }\n _vm.$set(_vm.newUser, \"password\", $event.target.value)\n }\n }\n })\n ]),\n _vm._v(\" \"),\n _c(\"div\", { staticClass: \"mailAddress\" }, [\n _c(\"input\", {\n directives: [\n {\n name: \"model\",\n rawName: \"v-model\",\n value: _vm.newUser.mailAddress,\n expression: \"newUser.mailAddress\"\n }\n ],\n attrs: {\n id: \"newemail\",\n type: \"email\",\n required: _vm.newUser.password === \"\",\n placeholder: _vm.t(\"settings\", \"Email\"),\n name: \"email\",\n autocomplete: \"off\",\n autocapitalize: \"none\",\n autocorrect: \"off\"\n },\n domProps: { value: _vm.newUser.mailAddress },\n on: {\n input: function($event) {\n if ($event.target.composing) {\n return\n }\n _vm.$set(_vm.newUser, \"mailAddress\", $event.target.value)\n }\n }\n })\n ]),\n _vm._v(\" \"),\n _c(\n \"div\",\n { staticClass: \"groups\" },\n [\n !_vm.settings.isAdmin\n ? _c(\"input\", {\n class: { \"icon-loading-small\": _vm.loading.groups },\n attrs: {\n type: \"text\",\n tabindex: \"-1\",\n id: \"newgroups\",\n required: !_vm.settings.isAdmin\n },\n domProps: { value: _vm.newUser.groups }\n })\n : _vm._e(),\n _vm._v(\" \"),\n _c(\n \"multiselect\",\n {\n staticClass: \"multiselect-vue\",\n attrs: {\n options: _vm.canAddGroups,\n disabled: _vm.loading.groups || _vm.loading.all,\n \"tag-placeholder\": \"create\",\n placeholder: _vm.t(\"settings\", \"Add user in group\"),\n label: \"name\",\n \"track-by\": \"id\",\n multiple: true,\n taggable: true,\n \"close-on-select\": false\n },\n on: { tag: _vm.createGroup },\n model: {\n value: _vm.newUser.groups,\n callback: function($$v) {\n _vm.$set(_vm.newUser, \"groups\", $$v)\n },\n expression: \"newUser.groups\"\n }\n },\n [\n _c(\n \"span\",\n { attrs: { slot: \"noResult\" }, slot: \"noResult\" },\n [_vm._v(_vm._s(_vm.t(\"settings\", \"No results\")))]\n )\n ]\n )\n ],\n 1\n ),\n _vm._v(\" \"),\n _vm.subAdminsGroups.length > 0 && _vm.settings.isAdmin\n ? _c(\n \"div\",\n { staticClass: \"subadmins\" },\n [\n _c(\n \"multiselect\",\n {\n staticClass: \"multiselect-vue\",\n attrs: {\n options: _vm.subAdminsGroups,\n placeholder: _vm.t(\"settings\", \"Set user as admin for\"),\n label: \"name\",\n \"track-by\": \"id\",\n multiple: true,\n \"close-on-select\": false\n },\n model: {\n value: _vm.newUser.subAdminsGroups,\n callback: function($$v) {\n _vm.$set(_vm.newUser, \"subAdminsGroups\", $$v)\n },\n expression: \"newUser.subAdminsGroups\"\n }\n },\n [\n _c(\n \"span\",\n { attrs: { slot: \"noResult\" }, slot: \"noResult\" },\n [_vm._v(_vm._s(_vm.t(\"settings\", \"No results\")))]\n )\n ]\n )\n ],\n 1\n )\n : _vm._e(),\n _vm._v(\" \"),\n _c(\n \"div\",\n { staticClass: \"quota\" },\n [\n _c(\"multiselect\", {\n staticClass: \"multiselect-vue\",\n attrs: {\n options: _vm.quotaOptions,\n placeholder: _vm.t(\"settings\", \"Select user quota\"),\n label: \"label\",\n \"track-by\": \"id\",\n allowEmpty: false,\n taggable: true\n },\n on: { tag: _vm.validateQuota },\n model: {\n value: _vm.newUser.quota,\n callback: function($$v) {\n _vm.$set(_vm.newUser, \"quota\", $$v)\n },\n expression: \"newUser.quota\"\n }\n })\n ],\n 1\n ),\n _vm._v(\" \"),\n _vm.showConfig.showLanguages\n ? _c(\n \"div\",\n { staticClass: \"languages\" },\n [\n _c(\"multiselect\", {\n staticClass: \"multiselect-vue\",\n attrs: {\n options: _vm.languages,\n placeholder: _vm.t(\"settings\", \"Default language\"),\n label: \"name\",\n \"track-by\": \"code\",\n allowEmpty: false,\n \"group-values\": \"languages\",\n \"group-label\": \"label\"\n },\n model: {\n value: _vm.newUser.language,\n callback: function($$v) {\n _vm.$set(_vm.newUser, \"language\", $$v)\n },\n expression: \"newUser.language\"\n }\n })\n ],\n 1\n )\n : _vm._e(),\n _vm._v(\" \"),\n _vm.showConfig.showStoragePath\n ? _c(\"div\", { staticClass: \"storageLocation\" })\n : _vm._e(),\n _vm._v(\" \"),\n _vm.showConfig.showUserBackend\n ? _c(\"div\", { staticClass: \"userBackend\" })\n : _vm._e(),\n _vm._v(\" \"),\n _vm.showConfig.showLastLogin\n ? _c(\"div\", { staticClass: \"lastLogin\" })\n : _vm._e(),\n _vm._v(\" \"),\n _c(\"div\", { staticClass: \"userActions\" }, [\n _c(\"input\", {\n staticClass: \"button primary icon-checkmark-white has-tooltip\",\n attrs: {\n type: \"submit\",\n id: \"newsubmit\",\n value: \"\",\n title: _vm.t(\"settings\", \"Add a new user\")\n }\n })\n ])\n ]\n ),\n _vm._v(\" \"),\n _vm._l(_vm.filteredUsers, function(user, key) {\n return _c(\"user-row\", {\n key: key,\n attrs: {\n user: user,\n settings: _vm.settings,\n showConfig: _vm.showConfig,\n groups: _vm.groups,\n subAdminsGroups: _vm.subAdminsGroups,\n quotaOptions: _vm.quotaOptions,\n languages: _vm.languages,\n externalActions: _vm.externalActions\n }\n })\n }),\n _vm._v(\" \"),\n _c(\n \"infinite-loading\",\n { ref: \"infiniteLoading\", on: { infinite: _vm.infiniteHandler } },\n [\n _c(\"div\", { attrs: { slot: \"spinner\" }, slot: \"spinner\" }, [\n _c(\"div\", { staticClass: \"users-icon-loading icon-loading\" })\n ]),\n _vm._v(\" \"),\n _c(\"div\", { attrs: { slot: \"no-more\" }, slot: \"no-more\" }, [\n _c(\"div\", { staticClass: \"users-list-end\" })\n ]),\n _vm._v(\" \"),\n _c(\"div\", { attrs: { slot: \"no-results\" }, slot: \"no-results\" }, [\n _c(\"div\", { attrs: { id: \"emptycontent\" } }, [\n _c(\"div\", { staticClass: \"icon-contacts-dark\" }),\n _vm._v(\" \"),\n _c(\"h2\", [_vm._v(_vm._s(_vm.t(\"settings\", \"No users in here\")))])\n ])\n ])\n ]\n )\n ],\n 2\n )\n}\nvar staticRenderFns = []\nrender._withStripped = true\n\nexport { render, staticRenderFns }","var render = function() {\n var _vm = this\n var _h = _vm.$createElement\n var _c = _vm._self._c || _h\n return Object.keys(_vm.user).length === 1\n ? _c(\"div\", { staticClass: \"row\", attrs: { \"data-id\": _vm.user.id } }, [\n _c(\n \"div\",\n {\n staticClass: \"avatar\",\n class: {\n \"icon-loading-small\": _vm.loading.delete || _vm.loading.disable\n }\n },\n [\n !_vm.loading.delete && !_vm.loading.disable\n ? _c(\"img\", {\n attrs: {\n alt: \"\",\n width: \"32\",\n height: \"32\",\n src: _vm.generateAvatar(_vm.user.id, 32),\n srcset:\n _vm.generateAvatar(_vm.user.id, 64) +\n \" 2x, \" +\n _vm.generateAvatar(_vm.user.id, 128) +\n \" 4x\"\n }\n })\n : _vm._e()\n ]\n ),\n _vm._v(\" \"),\n _c(\"div\", { staticClass: \"name\" }, [_vm._v(_vm._s(_vm.user.id))]),\n _vm._v(\" \"),\n _c(\"div\", { staticClass: \"obfuscated\" }, [\n _vm._v(\n _vm._s(\n _vm.t(\n \"settings\",\n \"You do not have permissions to see the details of this user\"\n )\n )\n )\n ])\n ])\n : _c(\n \"div\",\n {\n staticClass: \"row\",\n class: { disabled: _vm.loading.delete || _vm.loading.disable },\n attrs: { \"data-id\": _vm.user.id }\n },\n [\n _c(\n \"div\",\n {\n staticClass: \"avatar\",\n class: {\n \"icon-loading-small\": _vm.loading.delete || _vm.loading.disable\n }\n },\n [\n !_vm.loading.delete && !_vm.loading.disable\n ? _c(\"img\", {\n attrs: {\n alt: \"\",\n width: \"32\",\n height: \"32\",\n src: _vm.generateAvatar(_vm.user.id, 32),\n srcset:\n _vm.generateAvatar(_vm.user.id, 64) +\n \" 2x, \" +\n _vm.generateAvatar(_vm.user.id, 128) +\n \" 4x\"\n }\n })\n : _vm._e()\n ]\n ),\n _vm._v(\" \"),\n _c(\"div\", { staticClass: \"name\" }, [_vm._v(_vm._s(_vm.user.id))]),\n _vm._v(\" \"),\n _c(\n \"form\",\n {\n staticClass: \"displayName\",\n class: { \"icon-loading-small\": _vm.loading.displayName },\n on: {\n submit: function($event) {\n $event.preventDefault()\n return _vm.updateDisplayName($event)\n }\n }\n },\n [\n _c(\"input\", {\n ref: \"displayName\",\n attrs: {\n id: \"displayName\" + _vm.user.id + _vm.rand,\n type: \"text\",\n disabled: _vm.loading.displayName || _vm.loading.all,\n autocomplete: \"new-password\",\n autocorrect: \"off\",\n autocapitalize: \"off\",\n spellcheck: \"false\"\n },\n domProps: { value: _vm.user.displayname }\n }),\n _vm._v(\" \"),\n _c(\"input\", {\n staticClass: \"icon-confirm\",\n attrs: { type: \"submit\", value: \"\" }\n })\n ]\n ),\n _vm._v(\" \"),\n _vm.settings.canChangePassword\n ? _c(\n \"form\",\n {\n staticClass: \"password\",\n class: { \"icon-loading-small\": _vm.loading.password },\n on: {\n submit: function($event) {\n $event.preventDefault()\n return _vm.updatePassword($event)\n }\n }\n },\n [\n _c(\"input\", {\n ref: \"password\",\n attrs: {\n id: \"password\" + _vm.user.id + _vm.rand,\n type: \"password\",\n required: \"\",\n disabled: _vm.loading.password || _vm.loading.all,\n minlength: _vm.minPasswordLength,\n value: \"\",\n placeholder: _vm.t(\"settings\", \"New password\"),\n autocomplete: \"new-password\",\n autocorrect: \"off\",\n autocapitalize: \"off\",\n spellcheck: \"false\"\n }\n }),\n _vm._v(\" \"),\n _c(\"input\", {\n staticClass: \"icon-confirm\",\n attrs: { type: \"submit\", value: \"\" }\n })\n ]\n )\n : _c(\"div\"),\n _vm._v(\" \"),\n _c(\n \"form\",\n {\n staticClass: \"mailAddress\",\n class: { \"icon-loading-small\": _vm.loading.mailAddress },\n on: {\n submit: function($event) {\n $event.preventDefault()\n return _vm.updateEmail($event)\n }\n }\n },\n [\n _c(\"input\", {\n ref: \"mailAddress\",\n attrs: {\n id: \"mailAddress\" + _vm.user.id + _vm.rand,\n type: \"email\",\n disabled: _vm.loading.mailAddress || _vm.loading.all,\n autocomplete: \"new-password\",\n autocorrect: \"off\",\n autocapitalize: \"off\",\n spellcheck: \"false\"\n },\n domProps: { value: _vm.user.email }\n }),\n _vm._v(\" \"),\n _c(\"input\", {\n staticClass: \"icon-confirm\",\n attrs: { type: \"submit\", value: \"\" }\n })\n ]\n ),\n _vm._v(\" \"),\n _c(\n \"div\",\n {\n staticClass: \"groups\",\n class: { \"icon-loading-small\": _vm.loading.groups }\n },\n [\n _c(\n \"multiselect\",\n {\n staticClass: \"multiselect-vue\",\n attrs: {\n value: _vm.userGroups,\n options: _vm.availableGroups,\n disabled: _vm.loading.groups || _vm.loading.all,\n \"tag-placeholder\": \"create\",\n placeholder: _vm.t(\"settings\", \"Add user in group\"),\n label: \"name\",\n \"track-by\": \"id\",\n limit: 2,\n multiple: true,\n taggable: _vm.settings.isAdmin,\n closeOnSelect: false\n },\n on: {\n tag: _vm.createGroup,\n select: _vm.addUserGroup,\n remove: _vm.removeUserGroup\n }\n },\n [\n _c(\n \"span\",\n {\n directives: [\n {\n name: \"tooltip\",\n rawName: \"v-tooltip.auto\",\n value: _vm.formatGroupsTitle(_vm.userGroups),\n expression: \"formatGroupsTitle(userGroups)\",\n modifiers: { auto: true }\n }\n ],\n staticClass: \"multiselect__limit\",\n attrs: { slot: \"limit\" },\n slot: \"limit\"\n },\n [_vm._v(\"+\" + _vm._s(_vm.userGroups.length - 2))]\n ),\n _vm._v(\" \"),\n _c(\n \"span\",\n { attrs: { slot: \"noResult\" }, slot: \"noResult\" },\n [_vm._v(_vm._s(_vm.t(\"settings\", \"No results\")))]\n )\n ]\n )\n ],\n 1\n ),\n _vm._v(\" \"),\n _vm.subAdminsGroups.length > 0 && _vm.settings.isAdmin\n ? _c(\n \"div\",\n {\n staticClass: \"subadmins\",\n class: { \"icon-loading-small\": _vm.loading.subadmins }\n },\n [\n _c(\n \"multiselect\",\n {\n staticClass: \"multiselect-vue\",\n attrs: {\n value: _vm.userSubAdminsGroups,\n options: _vm.subAdminsGroups,\n disabled: _vm.loading.subadmins || _vm.loading.all,\n placeholder: _vm.t(\"settings\", \"Set user as admin for\"),\n label: \"name\",\n \"track-by\": \"id\",\n limit: 2,\n multiple: true,\n closeOnSelect: false\n },\n on: {\n select: _vm.addUserSubAdmin,\n remove: _vm.removeUserSubAdmin\n }\n },\n [\n _c(\n \"span\",\n {\n directives: [\n {\n name: \"tooltip\",\n rawName: \"v-tooltip.auto\",\n value: _vm.formatGroupsTitle(\n _vm.userSubAdminsGroups\n ),\n expression:\n \"formatGroupsTitle(userSubAdminsGroups)\",\n modifiers: { auto: true }\n }\n ],\n staticClass: \"multiselect__limit\",\n attrs: { slot: \"limit\" },\n slot: \"limit\"\n },\n [\n _vm._v(\n \"+\" + _vm._s(_vm.userSubAdminsGroups.length - 2)\n )\n ]\n ),\n _vm._v(\" \"),\n _c(\n \"span\",\n { attrs: { slot: \"noResult\" }, slot: \"noResult\" },\n [_vm._v(_vm._s(_vm.t(\"settings\", \"No results\")))]\n )\n ]\n )\n ],\n 1\n )\n : _vm._e(),\n _vm._v(\" \"),\n _c(\n \"div\",\n {\n directives: [\n {\n name: \"tooltip\",\n rawName: \"v-tooltip.auto\",\n value: _vm.usedSpace,\n expression: \"usedSpace\",\n modifiers: { auto: true }\n }\n ],\n staticClass: \"quota\",\n class: { \"icon-loading-small\": _vm.loading.quota }\n },\n [\n _c(\"multiselect\", {\n staticClass: \"multiselect-vue\",\n attrs: {\n value: _vm.userQuota,\n options: _vm.quotaOptions,\n disabled: _vm.loading.quota || _vm.loading.all,\n \"tag-placeholder\": \"create\",\n placeholder: _vm.t(\"settings\", \"Select user quota\"),\n label: \"label\",\n \"track-by\": \"id\",\n allowEmpty: false,\n taggable: true\n },\n on: { tag: _vm.validateQuota, input: _vm.setUserQuota }\n }),\n _vm._v(\" \"),\n _c(\"progress\", {\n staticClass: \"quota-user-progress\",\n class: { warn: _vm.usedQuota > 80 },\n attrs: { max: \"100\" },\n domProps: { value: _vm.usedQuota }\n })\n ],\n 1\n ),\n _vm._v(\" \"),\n _vm.showConfig.showLanguages\n ? _c(\n \"div\",\n {\n staticClass: \"languages\",\n class: { \"icon-loading-small\": _vm.loading.languages }\n },\n [\n _c(\"multiselect\", {\n staticClass: \"multiselect-vue\",\n attrs: {\n value: _vm.userLanguage,\n options: _vm.languages,\n disabled: _vm.loading.languages || _vm.loading.all,\n placeholder: _vm.t(\"settings\", \"No language set\"),\n label: \"name\",\n \"track-by\": \"code\",\n allowEmpty: false,\n \"group-values\": \"languages\",\n \"group-label\": \"label\"\n },\n on: { input: _vm.setUserLanguage }\n })\n ],\n 1\n )\n : _vm._e(),\n _vm._v(\" \"),\n _vm.showConfig.showStoragePath\n ? _c(\"div\", { staticClass: \"storageLocation\" }, [\n _vm._v(_vm._s(_vm.user.storageLocation))\n ])\n : _vm._e(),\n _vm._v(\" \"),\n _vm.showConfig.showUserBackend\n ? _c(\"div\", { staticClass: \"userBackend\" }, [\n _vm._v(_vm._s(_vm.user.backend))\n ])\n : _vm._e(),\n _vm._v(\" \"),\n _vm.showConfig.showLastLogin\n ? _c(\n \"div\",\n {\n directives: [\n {\n name: \"tooltip\",\n rawName: \"v-tooltip.auto\",\n value:\n _vm.user.lastLogin > 0\n ? _vm.OC.Util.formatDate(_vm.user.lastLogin)\n : \"\",\n expression:\n \"user.lastLogin>0 ? OC.Util.formatDate(user.lastLogin) : ''\",\n modifiers: { auto: true }\n }\n ],\n staticClass: \"lastLogin\"\n },\n [\n _vm._v(\n \"\\n\\t\\t\" +\n _vm._s(\n _vm.user.lastLogin > 0\n ? _vm.OC.Util.relativeModifiedDate(_vm.user.lastLogin)\n : _vm.t(\"settings\", \"Never\")\n ) +\n \"\\n\\t\"\n )\n ]\n )\n : _vm._e(),\n _vm._v(\" \"),\n _c(\"div\", { staticClass: \"userActions\" }, [\n _vm.OC.currentUser !== _vm.user.id &&\n _vm.user.id !== \"admin\" &&\n !_vm.loading.all\n ? _c(\"div\", { staticClass: \"toggleUserActions\" }, [\n _c(\"div\", {\n directives: [\n {\n name: \"click-outside\",\n rawName: \"v-click-outside\",\n value: _vm.hideMenu,\n expression: \"hideMenu\"\n }\n ],\n staticClass: \"icon-more\",\n on: { click: _vm.toggleMenu }\n }),\n _vm._v(\" \"),\n _c(\n \"div\",\n {\n staticClass: \"popovermenu\",\n class: { open: _vm.openedMenu }\n },\n [_c(\"popover-menu\", { attrs: { menu: _vm.userActions } })],\n 1\n )\n ])\n : _vm._e(),\n _vm._v(\" \"),\n _c(\n \"div\",\n {\n staticClass: \"feedback\",\n style: { opacity: _vm.feedbackMessage !== \"\" ? 1 : 0 }\n },\n [\n _c(\"div\", { staticClass: \"icon-checkmark\" }),\n _vm._v(\"\\n\\t\\t\\t\" + _vm._s(_vm.feedbackMessage) + \"\\n\\t\\t\")\n ]\n )\n ])\n ]\n )\n}\nvar staticRenderFns = []\nrender._withStripped = true\n\nexport { render, staticRenderFns }","var render = function() {\n var _vm = this\n var _h = _vm.$createElement\n var _c = _vm._self._c || _h\n return _c(\n \"ul\",\n _vm._l(_vm.menu, function(item, key) {\n return _c(\"popover-item\", { key: key, attrs: { item: item } })\n })\n )\n}\nvar staticRenderFns = []\nrender._withStripped = true\n\nexport { render, staticRenderFns }","var render = function() {\n var _vm = this\n var _h = _vm.$createElement\n var _c = _vm._self._c || _h\n return _c(\"li\", [\n _vm.item.href\n ? _c(\n \"a\",\n {\n attrs: {\n href: _vm.item.href ? _vm.item.href : \"#\",\n target: _vm.item.target ? _vm.item.target : \"\",\n rel: \"noreferrer noopener\"\n },\n on: { click: _vm.item.action }\n },\n [\n _c(\"span\", { class: _vm.item.icon }),\n _vm._v(\" \"),\n _vm.item.text\n ? _c(\"span\", [_vm._v(_vm._s(_vm.item.text))])\n : _vm.item.longtext\n ? _c(\"p\", [_vm._v(_vm._s(_vm.item.longtext))])\n : _vm._e()\n ]\n )\n : _vm.item.action\n ? _c(\"button\", { on: { click: _vm.item.action } }, [\n _c(\"span\", { class: _vm.item.icon }),\n _vm._v(\" \"),\n _vm.item.text\n ? _c(\"span\", [_vm._v(_vm._s(_vm.item.text))])\n : _vm.item.longtext\n ? _c(\"p\", [_vm._v(_vm._s(_vm.item.longtext))])\n : _vm._e()\n ])\n : _c(\"span\", { staticClass: \"menuitem\" }, [\n _c(\"span\", { class: _vm.item.icon }),\n _vm._v(\" \"),\n _vm.item.text\n ? _c(\"span\", [_vm._v(_vm._s(_vm.item.text))])\n : _vm.item.longtext\n ? _c(\"p\", [_vm._v(_vm._s(_vm.item.longtext))])\n : _vm._e()\n ])\n ])\n}\nvar staticRenderFns = []\nrender._withStripped = true\n\nexport { render, staticRenderFns }","\n\n\n\n\n","import mod from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./popoverItem.vue?vue&type=script&lang=js&\"; export default mod; export * from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./popoverItem.vue?vue&type=script&lang=js&\"","import { render, staticRenderFns } from \"./popoverItem.vue?vue&type=template&id=4c6af9e6&\"\nimport script from \"./popoverItem.vue?vue&type=script&lang=js&\"\nexport * from \"./popoverItem.vue?vue&type=script&lang=js&\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\n/* hot reload */\nif (module.hot) {\n var api = require(\"/home/christoph/workspace/nextcloud/settings/node_modules/vue-hot-reload-api/dist/index.js\")\n api.install(require('vue'))\n if (api.compatible) {\n module.hot.accept()\n if (!module.hot.data) {\n api.createRecord('4c6af9e6', component.options)\n } else {\n api.reload('4c6af9e6', component.options)\n }\n module.hot.accept(\"./popoverItem.vue?vue&type=template&id=4c6af9e6&\", function () {\n api.rerender('4c6af9e6', {\n render: render,\n staticRenderFns: staticRenderFns\n })\n })\n }\n}\ncomponent.options.__file = \"src/components/popoverMenu/popoverItem.vue\"\nexport default component.exports","import mod from \"-!../../node_modules/babel-loader/lib/index.js!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./popoverMenu.vue?vue&type=script&lang=js&\"; export default mod; export * from \"-!../../node_modules/babel-loader/lib/index.js!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./popoverMenu.vue?vue&type=script&lang=js&\"","\n\n\n\n\n\n","import { render, staticRenderFns } from \"./popoverMenu.vue?vue&type=template&id=04ea21c4&\"\nimport script from \"./popoverMenu.vue?vue&type=script&lang=js&\"\nexport * from \"./popoverMenu.vue?vue&type=script&lang=js&\"\n\n\n/* normalize component */\nimport normalizer from \"!../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\n/* hot reload */\nif (module.hot) {\n var api = require(\"/home/christoph/workspace/nextcloud/settings/node_modules/vue-hot-reload-api/dist/index.js\")\n api.install(require('vue'))\n if (api.compatible) {\n module.hot.accept()\n if (!module.hot.data) {\n api.createRecord('04ea21c4', component.options)\n } else {\n api.reload('04ea21c4', component.options)\n }\n module.hot.accept(\"./popoverMenu.vue?vue&type=template&id=04ea21c4&\", function () {\n api.rerender('04ea21c4', {\n render: render,\n staticRenderFns: staticRenderFns\n })\n })\n }\n}\ncomponent.options.__file = \"src/components/popoverMenu.vue\"\nexport default component.exports","\n\n\n\n\n","import mod from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./userRow.vue?vue&type=script&lang=js&\"; export default mod; export * from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./userRow.vue?vue&type=script&lang=js&\"","import { render, staticRenderFns } from \"./userRow.vue?vue&type=template&id=d19586ce&\"\nimport script from \"./userRow.vue?vue&type=script&lang=js&\"\nexport * from \"./userRow.vue?vue&type=script&lang=js&\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\n/* hot reload */\nif (module.hot) {\n var api = require(\"/home/christoph/workspace/nextcloud/settings/node_modules/vue-hot-reload-api/dist/index.js\")\n api.install(require('vue'))\n if (api.compatible) {\n module.hot.accept()\n if (!module.hot.data) {\n api.createRecord('d19586ce', component.options)\n } else {\n api.reload('d19586ce', component.options)\n }\n module.hot.accept(\"./userRow.vue?vue&type=template&id=d19586ce&\", function () {\n api.rerender('d19586ce', {\n render: render,\n staticRenderFns: staticRenderFns\n })\n })\n }\n}\ncomponent.options.__file = \"src/components/userList/userRow.vue\"\nexport default component.exports","import mod from \"-!../../node_modules/babel-loader/lib/index.js!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./userList.vue?vue&type=script&lang=js&\"; export default mod; export * from \"-!../../node_modules/babel-loader/lib/index.js!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./userList.vue?vue&type=script&lang=js&\"","\n \n\n\n\n","import { render, staticRenderFns } from \"./userList.vue?vue&type=template&id=40745299&\"\nimport script from \"./userList.vue?vue&type=script&lang=js&\"\nexport * from \"./userList.vue?vue&type=script&lang=js&\"\n\n\n/* normalize component */\nimport normalizer from \"!../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\n/* hot reload */\nif (module.hot) {\n var api = require(\"/home/christoph/workspace/nextcloud/settings/node_modules/vue-hot-reload-api/dist/index.js\")\n api.install(require('vue'))\n if (api.compatible) {\n module.hot.accept()\n if (!module.hot.data) {\n api.createRecord('40745299', component.options)\n } else {\n api.reload('40745299', component.options)\n }\n module.hot.accept(\"./userList.vue?vue&type=template&id=40745299&\", function () {\n api.rerender('40745299', {\n render: render,\n staticRenderFns: staticRenderFns\n })\n })\n }\n}\ncomponent.options.__file = \"src/components/userList.vue\"\nexport default component.exports","\n\n\n\n\n","import mod from \"-!../../node_modules/babel-loader/lib/index.js!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Users.vue?vue&type=script&lang=js&\"; export default mod; export * from \"-!../../node_modules/babel-loader/lib/index.js!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Users.vue?vue&type=script&lang=js&\"","import { render, staticRenderFns } from \"./Users.vue?vue&type=template&id=68be103e&\"\nimport script from \"./Users.vue?vue&type=script&lang=js&\"\nexport * from \"./Users.vue?vue&type=script&lang=js&\"\n\n\n/* normalize component */\nimport normalizer from \"!../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\n/* hot reload */\nif (module.hot) {\n var api = require(\"/home/christoph/workspace/nextcloud/settings/node_modules/vue-hot-reload-api/dist/index.js\")\n api.install(require('vue'))\n if (api.compatible) {\n module.hot.accept()\n if (!module.hot.data) {\n api.createRecord('68be103e', component.options)\n } else {\n api.reload('68be103e', component.options)\n }\n module.hot.accept(\"./Users.vue?vue&type=template&id=68be103e&\", function () {\n api.rerender('68be103e', {\n render: render,\n staticRenderFns: staticRenderFns\n })\n })\n }\n}\ncomponent.options.__file = \"src/views/Users.vue\"\nexport default component.exports"],"sourceRoot":""} \ No newline at end of file diff --git a/settings/js/4.js b/settings/js/4.js index 21e150d6b7..0e66840d3e 100644 --- a/settings/js/4.js +++ b/settings/js/4.js @@ -1,2 +1,2 @@ -(window.webpackJsonp=window.webpackJsonp||[]).push([[4],{324:function(e,a,s){"use strict";s.r(a);var i=function(){var t=this,e=t.$createElement,a=t._self._c||e;return a("div",{staticClass:"app-settings",class:{"with-app-sidebar":t.currentApp},attrs:{id:"content"}},[a("app-navigation",{attrs:{menu:t.menu}}),t._v(" "),a("div",{staticClass:"app-settings-content",class:{"icon-loading":t.loadingList},attrs:{id:"app-content"}},[a("app-list",{attrs:{category:t.category,app:t.currentApp,search:t.searchQuery}})],1),t._v(" "),t.id&&t.currentApp?a("div",{attrs:{id:"app-sidebar"}},[a("app-details",{attrs:{category:t.category,app:t.currentApp}})],1):t._e()],1)};i._withStripped=!0;var n=s(319),p=function(){var t=this,e=t.$createElement,a=t._self._c||e;return a("div",{attrs:{id:"app-content-inner"}},[a("div",{staticClass:"apps-list",class:{installed:t.useBundleView||t.useListView,store:t.useAppStoreView},attrs:{id:"apps-list"}},[t.useListView?[a("transition-group",{staticClass:"apps-list-container",attrs:{name:"app-list",tag:"div"}},t._l(t.apps,function(e){return a("app-item",{key:e.id,attrs:{app:e,category:t.category}})}))]:t._e(),t._v(" "),t._l(t.bundles,function(e){return t.useBundleView&&t.bundleApps(e.id).length>0?[a("transition-group",{staticClass:"apps-list-container",attrs:{name:"app-list",tag:"div"}},[a("div",{key:e.id,staticClass:"apps-header"},[a("div",{staticClass:"app-image"}),t._v(" "),a("h2",[t._v(t._s(e.name)+" "),a("input",{attrs:{type:"button",value:t.bundleToggleText(e.id)},on:{click:function(a){t.toggleBundle(e.id)}}})]),t._v(" "),a("div",{staticClass:"app-version"}),t._v(" "),a("div",{staticClass:"app-level"}),t._v(" "),a("div",{staticClass:"app-groups"}),t._v(" "),a("div",{staticClass:"actions"},[t._v(" ")])]),t._v(" "),t._l(t.bundleApps(e.id),function(s){return a("app-item",{key:e.id+s.id,attrs:{app:s,category:t.category}})})],2)]:t._e()}),t._v(" "),t.useAppStoreView?t._l(t.apps,function(e){return a("app-item",{key:e.id,attrs:{app:e,category:t.category,"list-view":!1}})}):t._e()],2),t._v(" "),a("div",{staticClass:"apps-list installed",attrs:{id:"apps-list-search"}},[a("div",{staticClass:"apps-list-container"},[""!==t.search&&t.searchApps.length>0?[a("div",{staticClass:"section"},[a("div"),t._v(" "),a("td",{attrs:{colspan:"5"}},[a("h2",[t._v(t._s(t.t("settings","Results from other categories")))])])]),t._v(" "),t._l(t.searchApps,function(e){return a("app-item",{key:e.id,attrs:{app:e,category:t.category,"list-view":!0}})})]:t._e()],2)]),t._v(" "),t.loading||0!==t.searchApps.length||0!==t.apps.length?t._e():a("div",{staticClass:"emptycontent emptycontent-search",attrs:{id:"apps-list-empty"}},[a("div",{staticClass:"icon-settings-dark",attrs:{id:"app-list-empty-icon"}}),t._v(" "),a("h2",[t._v(t._s(t.t("settings","No apps found for your version")))])]),t._v(" "),a("div",{attrs:{id:"searchresults"}})])};p._withStripped=!0;var r=function(){var t=this,e=t.$createElement,a=t._self._c||e;return a("div",{staticClass:"section",class:{selected:t.isSelected},on:{click:t.showAppDetails}},[a("div",{staticClass:"app-image app-image-icon",on:{click:t.showAppDetails}},[t.listView&&!t.app.preview||!t.listView&&!t.app.screenshot?a("div",{staticClass:"icon-settings-dark"}):t._e(),t._v(" "),t.listView&&t.app.preview?a("svg",{attrs:{width:"32",height:"32",viewBox:"0 0 32 32"}},[a("defs",[a("filter",{attrs:{id:t.filterId}},[a("feColorMatrix",{attrs:{in:"SourceGraphic",type:"matrix",values:"-1 0 0 0 1 0 -1 0 0 1 0 0 -1 0 1 0 0 0 1 0"}})],1)]),t._v(" "),a("image",{staticClass:"app-icon",attrs:{x:"0",y:"0",width:"32",height:"32",preserveAspectRatio:"xMinYMin meet",filter:t.filterUrl,"xlink:href":t.app.preview}})]):t._e(),t._v(" "),!t.listView&&t.app.screenshot?a("img",{attrs:{src:t.app.screenshot,width:"100%"}}):t._e()]),t._v(" "),a("div",{staticClass:"app-name",on:{click:t.showAppDetails}},[t._v("\n\t\t"+t._s(t.app.name)+"\n\t")]),t._v(" "),t.listView?t._e():a("div",{staticClass:"app-summary"},[t._v(t._s(t.app.summary))]),t._v(" "),t.listView?a("div",{staticClass:"app-version"},[t.app.version?a("span",[t._v(t._s(t.app.version))]):t.app.appstoreData.releases[0].version?a("span",[t._v(t._s(t.app.appstoreData.releases[0].version))]):t._e()]):t._e(),t._v(" "),a("div",{staticClass:"app-level"},[200===t.app.level?a("span",{directives:[{name:"tooltip",rawName:"v-tooltip.auto",value:t.t("settings","Official apps are developed by and within the community. They offer central functionality and are ready for production use."),expression:"t('settings', 'Official apps are developed by and within the community. They offer central functionality and are ready for production use.')",modifiers:{auto:!0}}],staticClass:"official icon-checkmark"},[t._v("\n\t\t\t"+t._s(t.t("settings","Official")))]):t._e(),t._v(" "),t.listView?t._e():a("app-score",{attrs:{score:t.app.score}})],1),t._v(" "),a("div",{staticClass:"actions"},[t.app.error?a("div",{staticClass:"warning"},[t._v(t._s(t.app.error))]):t._e(),t._v(" "),t.loading(t.app.id)?a("div",{staticClass:"icon icon-loading-small"}):t._e(),t._v(" "),t.app.update?a("input",{staticClass:"update",attrs:{type:"button",value:t.t("settings","Update to {update}",{update:t.app.update}),disabled:t.installing||t.loading(t.app.id)},on:{click:function(e){e.stopPropagation(),t.update(t.app.id)}}}):t._e(),t._v(" "),t.app.canUnInstall?a("input",{staticClass:"uninstall",attrs:{type:"button",value:t.t("settings","Remove"),disabled:t.installing||t.loading(t.app.id)},on:{click:function(e){e.stopPropagation(),t.remove(t.app.id)}}}):t._e(),t._v(" "),t.app.active?a("input",{staticClass:"enable",attrs:{type:"button",value:t.t("settings","Disable"),disabled:t.installing||t.loading(t.app.id)},on:{click:function(e){e.stopPropagation(),t.disable(t.app.id)}}}):t._e(),t._v(" "),t.app.active?t._e():a("input",{directives:[{name:"tooltip",rawName:"v-tooltip.auto",value:t.enableButtonTooltip,expression:"enableButtonTooltip",modifiers:{auto:!0}}],staticClass:"enable",attrs:{type:"button",value:t.enableButtonText,disabled:!t.app.canInstall||t.installing||t.loading(t.app.id)},on:{click:function(e){e.stopPropagation(),t.enable(t.app.id)}}})])])};r._withStripped=!0;var o=s(318),l=s.n(o),c=function(){var t=this.$createElement;return(this._self._c||t)("img",{staticClass:"app-score-image",attrs:{src:this.scoreImage}})};c._withStripped=!0;var u={name:"appScore",props:["score"],computed:{scoreImage:function(){var t="rating/s"+Math.round(10*this.score)+".svg";return OC.imagePath("core",t)}}},d=s(49),g=Object(d.a)(u,c,[],!1,null,null,null);g.options.__file="src/components/appList/appScore.vue";var h=g.exports,v={mounted:function(){this.app.groups.length>0&&(this.groupCheckedAppsData=!0)},computed:{appGroups:function(){return this.app.groups.map(function(t){return{id:t,name:t}})},loading:function(){var t=this;return function(e){return t.$store.getters.loading(e)}},installing:function(){return this.$store.getters.loading("install")},enableButtonText:function(){return this.app.needsDownload?t("settings","Download and enable"):t("settings","Enable")},enableButtonTooltip:function(){return!!this.app.needsDownload&&t("settings","The app will be downloaded from the app store")}},methods:{asyncFindGroup:function(t){return this.$store.dispatch("getGroups",{search:t,limit:5,offset:0})},isLimitedToGroups:function(t){return!(!this.app.groups.length&&!this.groupCheckedAppsData)},setGroupLimit:function(){this.groupCheckedAppsData||this.$store.dispatch("enableApp",{appId:this.app.id,groups:[]})},canLimitToGroups:function(t){return!(t.types&&t.types.includes("filesystem")||t.types.includes("prelogin")||t.types.includes("authentication")||t.types.includes("logging")||t.types.includes("prevent_group_restriction"))},addGroupLimitation:function(t){var e=this.app.groups.concat([]).concat([t.id]);this.$store.dispatch("enableApp",{appId:this.app.id,groups:e})},removeGroupLimitation:function(t){var e=this.app.groups.concat([]),a=e.indexOf(t.id);a>-1&&e.splice(a,1),this.$store.dispatch("enableApp",{appId:this.app.id,groups:e})},enable:function(t){this.$store.dispatch("enableApp",{appId:t,groups:[]}).then(function(t){OC.Settings.Apps.rebuildNavigation()}).catch(function(t){OC.Notification.show(t)})},disable:function(t){this.$store.dispatch("disableApp",{appId:t}).then(function(t){OC.Settings.Apps.rebuildNavigation()}).catch(function(t){OC.Notification.show(t)})},remove:function(t){this.$store.dispatch("uninstallApp",{appId:t}).then(function(t){OC.Settings.Apps.rebuildNavigation()}).catch(function(t){OC.Notification.show(t)})},install:function(t){this.$store.dispatch("enableApp",{appId:t}).then(function(t){OC.Settings.Apps.rebuildNavigation()}).catch(function(t){OC.Notification.show(t)})},update:function(t){this.$store.dispatch("updateApp",{appId:t}).then(function(t){OC.Settings.Apps.rebuildNavigation()}).catch(function(t){OC.Notification.show(t)})}}},f=Object(d.a)(v,void 0,void 0,!1,null,null,null);f.options.__file="src/components/appManagement.vue";var m=f.exports,_={name:"svgFilterMixin",mounted:function(){this.filterId="invertIconApps"+Math.floor(100*Math.random())+(new Date).getSeconds()+(new Date).getMilliseconds()},computed:{filterUrl:function(){return"url(#".concat(this.filterId,")")}},data:function(){return{filterId:""}}},b=Object(d.a)(_,void 0,void 0,!1,null,null,null);b.options.__file="src/components/svgFilterMixin.vue";var y=b.exports,C={name:"appItem",mixins:[m,y],props:{app:{},category:{},listView:{type:Boolean,default:!0}},watch:{"$route.params.id":function(t){this.isSelected=this.app.id===t}},components:{Multiselect:l.a,AppScore:h},data:function(){return{isSelected:!1,scrolled:!1}},mounted:function(){this.isSelected=this.app.id===this.$route.params.id},computed:{},watchers:{},methods:{showAppDetails:function(t){"INPUT"!==t.currentTarget.tagName&&"A"!==t.currentTarget.tagName&&this.$router.push({name:"apps-details",params:{category:this.category,id:this.app.id}})},prefix:function(t,e){return t+"_"+e}}},w=Object(d.a)(C,r,[],!1,null,null,null);w.options.__file="src/components/appList/appItem.vue";var A=w.exports,k={name:"prefixMixin",methods:{prefix:function(t,e){return t+"_"+e}}},x=Object(d.a)(k,void 0,void 0,!1,null,null,null);x.options.__file="src/components/prefixMixin.vue";var D=x.exports,$={name:"appList",mixins:[D],props:["category","app","search"],components:{Multiselect:l.a,appItem:A},computed:{loading:function(){return this.$store.getters.loading("list")},apps:function(){var t=this,e=this.$store.getters.getAllApps.filter(function(e){return-1!==e.name.toLowerCase().search(t.search.toLowerCase())}).sort(function(t,e){var a=""+(t.active?0:1)+(t.update?0:1)+t.name,s=""+(e.active?0:1)+(e.update?0:1)+e.name;return OC.Util.naturalSortCompare(a,s)});return"installed"===this.category?e.filter(function(t){return t.installed}):"enabled"===this.category?e.filter(function(t){return t.active&&t.installed}):"disabled"===this.category?e.filter(function(t){return!t.active&&t.installed}):"app-bundles"===this.category?e.filter(function(t){return t.bundles}):"updates"===this.category?e.filter(function(t){return t.update}):e.filter(function(e){return e.appstore&&void 0!==e.category&&(e.category===t.category||e.category.indexOf(t.category)>-1)})},bundles:function(){return this.$store.getters.getServerData.bundles},bundleApps:function(){return function(t){return this.$store.getters.getAllApps.filter(function(e){return e.bundleId===t})}},searchApps:function(){var t=this;return""===this.search?[]:this.$store.getters.getAllApps.filter(function(e){return-1!==e.name.toLowerCase().search(t.search.toLowerCase())&&!t.apps.find(function(t){return t.id===e.id})})},useAppStoreView:function(){return!this.useListView&&!this.useBundleView},useListView:function(){return"installed"===this.category||"enabled"===this.category||"disabled"===this.category||"updates"===this.category},useBundleView:function(){return"app-bundles"===this.category},allBundlesEnabled:function(){var t=this;return function(e){return 0===t.bundleApps(e).filter(function(t){return!t.active}).length}},bundleToggleText:function(){var e=this;return function(a){return e.allBundlesEnabled(a)?t("settings","Disable all"):t("settings","Enable all")}}},methods:{toggleBundle:function(t){return this.allBundlesEnabled(t)?this.disableBundle(t):this.enableBundle(t)},enableBundle:function(t){var e=this.bundleApps(t).map(function(t){return t.id});this.$store.dispatch("enableApp",{appId:e,groups:[]}).catch(function(t){console.log(t),OC.Notification.show(t)})},disableBundle:function(t){var e=this.bundleApps(t).map(function(t){return t.id});this.$store.dispatch("disableApp",{appId:e,groups:[]}).catch(function(t){OC.Notification.show(t)})}}},S=Object(d.a)($,p,[],!1,null,null,null);S.options.__file="src/components/appList.vue";var O=S.exports,L=s(8),I=s(320),T=s.n(I),N=(s(1),function(){var t=this,e=t.$createElement,a=t._self._c||e;return a("div",{staticStyle:{padding:"20px"},attrs:{id:"app-details-view"}},[a("a",{staticClass:"close icon-close",attrs:{href:"#"},on:{click:t.hideAppDetails}},[a("span",{staticClass:"hidden-visually"},[t._v("Close")])]),t._v(" "),a("h2",[t.app.preview?t._e():a("div",{staticClass:"icon-settings-dark"}),t._v(" "),t.app.previewAsIcon&&t.app.preview?a("svg",{attrs:{width:"32",height:"32",viewBox:"0 0 32 32"}},[a("defs",[a("filter",{attrs:{id:t.filterId}},[a("feColorMatrix",{attrs:{in:"SourceGraphic",type:"matrix",values:"-1 0 0 0 1 0 -1 0 0 1 0 0 -1 0 1 0 0 0 1 0"}})],1)]),t._v(" "),a("image",{staticClass:"app-icon",attrs:{x:"0",y:"0",width:"32",height:"32",preserveAspectRatio:"xMinYMin meet",filter:t.filterUrl,"xlink:href":t.app.preview}})]):t._e(),t._v("\n\t\t"+t._s(t.app.name))]),t._v(" "),t.app.screenshot?a("img",{attrs:{src:t.app.screenshot,width:"100%"}}):t._e(),t._v(" "),200===t.app.level||t.hasRating?a("div",{staticClass:"app-level"},[200===t.app.level?a("span",{directives:[{name:"tooltip",rawName:"v-tooltip.auto",value:t.t("settings","Official apps are developed by and within the community. They offer central functionality and are ready for production use."),expression:"t('settings', 'Official apps are developed by and within the community. They offer central functionality and are ready for production use.')",modifiers:{auto:!0}}],staticClass:"official icon-checkmark"},[t._v("\n\t\t\t"+t._s(t.t("settings","Official")))]):t._e(),t._v(" "),t.hasRating?a("app-score",{attrs:{score:t.app.appstoreData.ratingOverall}}):t._e()],1):t._e(),t._v(" "),t.author?a("div",{staticClass:"app-author"},[t._v("\n\t\t"+t._s(t.t("settings","by"))+"\n\t\t"),t._l(t.author,function(e,s){return a("span",[e["@attributes"]&&e["@attributes"].homepage?a("a",{attrs:{href:e["@attributes"].homepage}},[t._v(t._s(e["@value"]))]):e["@value"]?a("span",[t._v(t._s(e["@value"]))]):a("span",[t._v(t._s(e))]),s+1-1:t.groupCheckedAppsData},on:{change:[function(e){var a=t.groupCheckedAppsData,s=e.target,i=!!s.checked;if(Array.isArray(a)){var n=t.app.id,p=t._i(a,n);s.checked?p<0&&(t.groupCheckedAppsData=a.concat([n])):p>-1&&(t.groupCheckedAppsData=a.slice(0,p).concat(a.slice(p+1)))}else t.groupCheckedAppsData=i},t.setGroupLimit]}}),t._v(" "),a("label",{attrs:{for:t.prefix("groups_enable",t.app.id)}},[t._v(t._s(t.t("settings","Limit to groups")))]),t._v(" "),a("input",{staticClass:"group_select",attrs:{type:"hidden",title:t.t("settings","All"),value:""}}),t._v(" "),t.isLimitedToGroups(t.app)?a("multiselect",{staticClass:"multiselect-vue",attrs:{options:t.groups,value:t.appGroups,"options-limit":5,placeholder:t.t("settings","Limit app usage to groups"),label:"name","track-by":"id",multiple:!0,"close-on-select":!1},on:{select:t.addGroupLimitation,remove:t.removeGroupLimitation,"search-change":t.asyncFindGroup}},[a("span",{attrs:{slot:"noResult"},slot:"noResult"},[t._v(t._s(t.t("settings","No results")))])]):t._e()],1):t._e()])]),t._v(" "),a("p",{staticClass:"documentation"},[t.app.internal?t._e():a("a",{staticClass:"appslink",attrs:{href:t.appstoreUrl,target:"_blank",rel:"noreferrer noopener"}},[t._v(t._s(t.t("settings","View in store"))+" ↗")]),t._v(" "),t.app.website?a("a",{staticClass:"appslink",attrs:{href:t.app.website,target:"_blank",rel:"noreferrer noopener"}},[t._v(t._s(t.t("settings","Visit website"))+" ↗")]):t._e(),t._v(" "),t.app.bugs?a("a",{staticClass:"appslink",attrs:{href:t.app.bugs,target:"_blank",rel:"noreferrer noopener"}},[t._v(t._s(t.t("settings","Report a bug"))+" ↗")]):t._e(),t._v(" "),t.app.documentation&&t.app.documentation.user?a("a",{staticClass:"appslink",attrs:{href:t.app.documentation.user,target:"_blank",rel:"noreferrer noopener"}},[t._v(t._s(t.t("settings","User documentation"))+" ↗")]):t._e(),t._v(" "),t.app.documentation&&t.app.documentation.admin?a("a",{staticClass:"appslink",attrs:{href:t.app.documentation.admin,target:"_blank",rel:"noreferrer noopener"}},[t._v(t._s(t.t("settings","Admin documentation"))+" ↗")]):t._e(),t._v(" "),t.app.documentation&&t.app.documentation.developer?a("a",{staticClass:"appslink",attrs:{href:t.app.documentation.developer,target:"_blank",rel:"noreferrer noopener"}},[t._v(t._s(t.t("settings","Developer documentation"))+" ↗")]):t._e()]),t._v(" "),a("ul",{staticClass:"app-dependencies"},[t.app.missingMinOwnCloudVersion?a("li",[t._v(t._s(t.t("settings","This app has no minimum Nextcloud version assigned. This will be an error in the future.")))]):t._e(),t._v(" "),t.app.missingMaxOwnCloudVersion?a("li",[t._v(t._s(t.t("settings","This app has no maximum Nextcloud version assigned. This will be an error in the future.")))]):t._e(),t._v(" "),t.app.canInstall?t._e():a("li",[t._v("\n\t\t\t"+t._s(t.t("settings","This app cannot be installed because the following dependencies are not fulfilled:"))+"\n\t\t\t"),a("ul",{staticClass:"missing-dependencies"},t._l(t.app.missingDependencies,function(e){return a("li",[t._v(t._s(e))])}))])]),t._v(" "),a("div",{staticClass:"app-description",domProps:{innerHTML:t._s(t.renderMarkdown)}})])});N._withStripped=!0;var M={mixins:[m,D,y],name:"appDetails",props:["category","app"],components:{Multiselect:l.a,AppScore:h},data:function(){return{groupCheckedAppsData:!1}},mounted:function(){this.app.groups.length>0&&(this.groupCheckedAppsData=!0)},methods:{hideAppDetails:function(){this.$router.push({name:"apps-category",params:{category:this.category}})}},computed:{appstoreUrl:function(){return"https://apps.nextcloud.com/apps/".concat(this.app.id)},licence:function(){return this.app.licence?t("settings","{license}-licensed",{license:(""+this.app.licence).toUpperCase()}):null},hasRating:function(){return this.app.appstoreData&&this.app.appstoreData.ratingNumOverall>5},author:function(){return"string"==typeof this.app.author?[{"@value":this.app.author}]:this.app.author["@value"]?[this.app.author]:this.app.author},appGroups:function(){return this.app.groups.map(function(t){return{id:t,name:t}})},groups:function(){return this.$store.getters.getGroups.filter(function(t){return"disabled"!==t.id}).sort(function(t,e){return t.name.localeCompare(e.name)})},renderMarkdown:function(){var t=new window.marked.Renderer;return t.link=function(t,e,a){try{var s=decodeURIComponent(unescape(t)).replace(/[^\w:]/g,"").toLowerCase()}catch(t){return""}if(0!==s.indexOf("http:")&&0!==s.indexOf("https:"))return"";var i='"},t.image=function(t,e,a){return a||e},t.blockquote=function(t){return t},DOMPurify.sanitize(window.marked(this.app.description.trim(),{renderer:t,gfm:!1,highlight:!1,tables:!1,breaks:!1,pedantic:!1,sanitize:!0,smartLists:!0,smartypants:!1}),{SAFE_FOR_JQUERY:!0,ALLOWED_TAGS:["strong","p","a","ul","ol","li","em","del","blockquote"]})}}},B=Object(d.a)(M,N,[],!1,null,null,null);B.options.__file="src/components/appDetails.vue";var V=B.exports;L.default.use(T.a);var G={name:"Apps",props:{category:{type:String,default:"installed"},id:{type:String,default:""}},components:{AppDetails:V,AppNavigation:n.AppNavigation,appList:O},methods:{setSearch:function(t){this.searchQuery=t},resetSearch:function(){this.setSearch("")}},beforeMount:function(){this.$store.dispatch("getCategories"),this.$store.dispatch("getAllApps"),this.$store.dispatch("getGroups",{offset:0,limit:5}),this.$store.commit("setUpdateCount",this.$store.getters.getServerData.updateCount)},mounted:function(){this.appSearch=new OCA.Search(this.setSearch,this.resetSearch)},data:function(){return{searchQuery:""}},watch:{category:function(t,e){this.setSearch("")}},computed:{loading:function(){return this.$store.getters.loading("categories")},loadingList:function(){return this.$store.getters.loading("list")},currentApp:function(){var t=this;return this.apps.find(function(e){return e.id===t.id})},categories:function(){return this.$store.getters.getCategories},apps:function(){return this.$store.getters.getAllApps},updateCount:function(){return this.$store.getters.getUpdateCount},settings:function(){return this.$store.getters.getServerData},menu:function(){var e=this,a=this.$store.getters.getCategories;a=(a=Array.isArray(a)?a:[]).map(function(t){var e={};return e.id="app-category-"+t.ident,e.icon="icon-category-"+t.ident,e.classes=[],e.router={name:"apps-category",params:{category:t.ident}},e.text=t.displayName,e});var s=[{id:"app-category-your-apps",classes:[],router:{name:"apps"},icon:"icon-category-installed",text:t("settings","Your apps")},{id:"app-category-enabled",classes:[],icon:"icon-category-enabled",router:{name:"apps-category",params:{category:"enabled"}},text:t("settings","Active apps")},{id:"app-category-disabled",classes:[],icon:"icon-category-disabled",router:{name:"apps-category",params:{category:"disabled"}},text:t("settings","Disabled apps")}];if(!this.settings.appstoreEnabled)return{id:"appscategories",items:s};this.$store.getters.getUpdateCount>0&&s.push({id:"app-category-updates",classes:[],icon:"icon-download",router:{name:"apps-category",params:{category:"updates"}},text:t("settings","Updates"),utils:{counter:this.$store.getters.getUpdateCount}}),s.push({id:"app-category-app-bundles",classes:[],icon:"icon-category-app-bundles",router:{name:"apps-category",params:{category:"app-bundles"}},text:t("settings","App bundles")});var i=(a=s.concat(a)).findIndex(function(t){return t.id==="app-category-"+e.category});return i>=0?a[i].classes.push("active"):a[0].classes.push("active"),a.push({id:"app-developer-docs",classes:[],href:this.settings.developerDocumentation,text:t("settings","Developer documentation")+" ↗"}),{id:"appscategories",items:a,loading:this.loading}}}},U=Object(d.a)(G,i,[],!1,null,null,null);U.options.__file="src/views/Apps.vue";a.default=U.exports}}]); +(window.webpackJsonp=window.webpackJsonp||[]).push([[4],{326:function(e,a,s){"use strict";s.r(a);var i=function(){var t=this,e=t.$createElement,a=t._self._c||e;return a("div",{staticClass:"app-settings",class:{"with-app-sidebar":t.currentApp},attrs:{id:"content"}},[a("app-navigation",{attrs:{menu:t.menu}}),t._v(" "),a("div",{staticClass:"app-settings-content",class:{"icon-loading":t.loadingList},attrs:{id:"app-content"}},[a("app-list",{attrs:{category:t.category,app:t.currentApp,search:t.searchQuery}})],1),t._v(" "),t.id&&t.currentApp?a("div",{attrs:{id:"app-sidebar"}},[a("app-details",{attrs:{category:t.category,app:t.currentApp}})],1):t._e()],1)};i._withStripped=!0;var n=s(117),p=function(){var t=this,e=t.$createElement,a=t._self._c||e;return a("div",{attrs:{id:"app-content-inner"}},[a("div",{staticClass:"apps-list",class:{installed:t.useBundleView||t.useListView,store:t.useAppStoreView},attrs:{id:"apps-list"}},[t.useListView?[a("transition-group",{staticClass:"apps-list-container",attrs:{name:"app-list",tag:"div"}},t._l(t.apps,function(e){return a("app-item",{key:e.id,attrs:{app:e,category:t.category}})}))]:t._e(),t._v(" "),t._l(t.bundles,function(e){return t.useBundleView&&t.bundleApps(e.id).length>0?[a("transition-group",{staticClass:"apps-list-container",attrs:{name:"app-list",tag:"div"}},[a("div",{key:e.id,staticClass:"apps-header"},[a("div",{staticClass:"app-image"}),t._v(" "),a("h2",[t._v(t._s(e.name)+" "),a("input",{attrs:{type:"button",value:t.bundleToggleText(e.id)},on:{click:function(a){t.toggleBundle(e.id)}}})]),t._v(" "),a("div",{staticClass:"app-version"}),t._v(" "),a("div",{staticClass:"app-level"}),t._v(" "),a("div",{staticClass:"app-groups"}),t._v(" "),a("div",{staticClass:"actions"},[t._v(" ")])]),t._v(" "),t._l(t.bundleApps(e.id),function(s){return a("app-item",{key:e.id+s.id,attrs:{app:s,category:t.category}})})],2)]:t._e()}),t._v(" "),t.useAppStoreView?t._l(t.apps,function(e){return a("app-item",{key:e.id,attrs:{app:e,category:t.category,"list-view":!1}})}):t._e()],2),t._v(" "),a("div",{staticClass:"apps-list installed",attrs:{id:"apps-list-search"}},[a("div",{staticClass:"apps-list-container"},[""!==t.search&&t.searchApps.length>0?[a("div",{staticClass:"section"},[a("div"),t._v(" "),a("td",{attrs:{colspan:"5"}},[a("h2",[t._v(t._s(t.t("settings","Results from other categories")))])])]),t._v(" "),t._l(t.searchApps,function(e){return a("app-item",{key:e.id,attrs:{app:e,category:t.category,"list-view":!0}})})]:t._e()],2)]),t._v(" "),t.loading||0!==t.searchApps.length||0!==t.apps.length?t._e():a("div",{staticClass:"emptycontent emptycontent-search",attrs:{id:"apps-list-empty"}},[a("div",{staticClass:"icon-settings-dark",attrs:{id:"app-list-empty-icon"}}),t._v(" "),a("h2",[t._v(t._s(t.t("settings","No apps found for your version")))])]),t._v(" "),a("div",{attrs:{id:"searchresults"}})])};p._withStripped=!0;var r=function(){var t=this,e=t.$createElement,a=t._self._c||e;return a("div",{staticClass:"section",class:{selected:t.isSelected},on:{click:t.showAppDetails}},[a("div",{staticClass:"app-image app-image-icon",on:{click:t.showAppDetails}},[t.listView&&!t.app.preview||!t.listView&&!t.app.screenshot?a("div",{staticClass:"icon-settings-dark"}):t._e(),t._v(" "),t.listView&&t.app.preview?a("svg",{attrs:{width:"32",height:"32",viewBox:"0 0 32 32"}},[a("defs",[a("filter",{attrs:{id:t.filterId}},[a("feColorMatrix",{attrs:{in:"SourceGraphic",type:"matrix",values:"-1 0 0 0 1 0 -1 0 0 1 0 0 -1 0 1 0 0 0 1 0"}})],1)]),t._v(" "),a("image",{staticClass:"app-icon",attrs:{x:"0",y:"0",width:"32",height:"32",preserveAspectRatio:"xMinYMin meet",filter:t.filterUrl,"xlink:href":t.app.preview}})]):t._e(),t._v(" "),!t.listView&&t.app.screenshot?a("img",{attrs:{src:t.app.screenshot,width:"100%"}}):t._e()]),t._v(" "),a("div",{staticClass:"app-name",on:{click:t.showAppDetails}},[t._v("\n\t\t"+t._s(t.app.name)+"\n\t")]),t._v(" "),t.listView?t._e():a("div",{staticClass:"app-summary"},[t._v(t._s(t.app.summary))]),t._v(" "),t.listView?a("div",{staticClass:"app-version"},[t.app.version?a("span",[t._v(t._s(t.app.version))]):t.app.appstoreData.releases[0].version?a("span",[t._v(t._s(t.app.appstoreData.releases[0].version))]):t._e()]):t._e(),t._v(" "),a("div",{staticClass:"app-level"},[200===t.app.level?a("span",{directives:[{name:"tooltip",rawName:"v-tooltip.auto",value:t.t("settings","Official apps are developed by and within the community. They offer central functionality and are ready for production use."),expression:"t('settings', 'Official apps are developed by and within the community. They offer central functionality and are ready for production use.')",modifiers:{auto:!0}}],staticClass:"official icon-checkmark"},[t._v("\n\t\t\t"+t._s(t.t("settings","Official")))]):t._e(),t._v(" "),t.listView?t._e():a("app-score",{attrs:{score:t.app.score}})],1),t._v(" "),a("div",{staticClass:"actions"},[t.app.error?a("div",{staticClass:"warning"},[t._v(t._s(t.app.error))]):t._e(),t._v(" "),t.loading(t.app.id)?a("div",{staticClass:"icon icon-loading-small"}):t._e(),t._v(" "),t.app.update?a("input",{staticClass:"update",attrs:{type:"button",value:t.t("settings","Update to {update}",{update:t.app.update}),disabled:t.installing||t.loading(t.app.id)},on:{click:function(e){e.stopPropagation(),t.update(t.app.id)}}}):t._e(),t._v(" "),t.app.canUnInstall?a("input",{staticClass:"uninstall",attrs:{type:"button",value:t.t("settings","Remove"),disabled:t.installing||t.loading(t.app.id)},on:{click:function(e){e.stopPropagation(),t.remove(t.app.id)}}}):t._e(),t._v(" "),t.app.active?a("input",{staticClass:"enable",attrs:{type:"button",value:t.t("settings","Disable"),disabled:t.installing||t.loading(t.app.id)},on:{click:function(e){e.stopPropagation(),t.disable(t.app.id)}}}):t._e(),t._v(" "),t.app.active?t._e():a("input",{directives:[{name:"tooltip",rawName:"v-tooltip.auto",value:t.enableButtonTooltip,expression:"enableButtonTooltip",modifiers:{auto:!0}}],staticClass:"enable",attrs:{type:"button",value:t.enableButtonText,disabled:!t.app.canInstall||t.installing||t.loading(t.app.id)},on:{click:function(e){e.stopPropagation(),t.enable(t.app.id)}}})])])};r._withStripped=!0;var o=s(321),l=s.n(o),c=function(){var t=this.$createElement;return(this._self._c||t)("img",{staticClass:"app-score-image",attrs:{src:this.scoreImage}})};c._withStripped=!0;var u={name:"appScore",props:["score"],computed:{scoreImage:function(){var t="rating/s"+Math.round(10*this.score)+".svg";return OC.imagePath("core",t)}}},d=s(49),g=Object(d.a)(u,c,[],!1,null,null,null);g.options.__file="src/components/appList/appScore.vue";var h=g.exports,v={mounted:function(){this.app.groups.length>0&&(this.groupCheckedAppsData=!0)},computed:{appGroups:function(){return this.app.groups.map(function(t){return{id:t,name:t}})},loading:function(){var t=this;return function(e){return t.$store.getters.loading(e)}},installing:function(){return this.$store.getters.loading("install")},enableButtonText:function(){return this.app.needsDownload?t("settings","Download and enable"):t("settings","Enable")},enableButtonTooltip:function(){return!!this.app.needsDownload&&t("settings","The app will be downloaded from the app store")}},methods:{asyncFindGroup:function(t){return this.$store.dispatch("getGroups",{search:t,limit:5,offset:0})},isLimitedToGroups:function(t){return!(!this.app.groups.length&&!this.groupCheckedAppsData)},setGroupLimit:function(){this.groupCheckedAppsData||this.$store.dispatch("enableApp",{appId:this.app.id,groups:[]})},canLimitToGroups:function(t){return!(t.types&&t.types.includes("filesystem")||t.types.includes("prelogin")||t.types.includes("authentication")||t.types.includes("logging")||t.types.includes("prevent_group_restriction"))},addGroupLimitation:function(t){var e=this.app.groups.concat([]).concat([t.id]);this.$store.dispatch("enableApp",{appId:this.app.id,groups:e})},removeGroupLimitation:function(t){var e=this.app.groups.concat([]),a=e.indexOf(t.id);a>-1&&e.splice(a,1),this.$store.dispatch("enableApp",{appId:this.app.id,groups:e})},enable:function(t){this.$store.dispatch("enableApp",{appId:t,groups:[]}).then(function(t){OC.Settings.Apps.rebuildNavigation()}).catch(function(t){OC.Notification.show(t)})},disable:function(t){this.$store.dispatch("disableApp",{appId:t}).then(function(t){OC.Settings.Apps.rebuildNavigation()}).catch(function(t){OC.Notification.show(t)})},remove:function(t){this.$store.dispatch("uninstallApp",{appId:t}).then(function(t){OC.Settings.Apps.rebuildNavigation()}).catch(function(t){OC.Notification.show(t)})},install:function(t){this.$store.dispatch("enableApp",{appId:t}).then(function(t){OC.Settings.Apps.rebuildNavigation()}).catch(function(t){OC.Notification.show(t)})},update:function(t){this.$store.dispatch("updateApp",{appId:t}).then(function(t){OC.Settings.Apps.rebuildNavigation()}).catch(function(t){OC.Notification.show(t)})}}},f=Object(d.a)(v,void 0,void 0,!1,null,null,null);f.options.__file="src/components/appManagement.vue";var m=f.exports,_={name:"svgFilterMixin",mounted:function(){this.filterId="invertIconApps"+Math.floor(100*Math.random())+(new Date).getSeconds()+(new Date).getMilliseconds()},computed:{filterUrl:function(){return"url(#".concat(this.filterId,")")}},data:function(){return{filterId:""}}},b=Object(d.a)(_,void 0,void 0,!1,null,null,null);b.options.__file="src/components/svgFilterMixin.vue";var y=b.exports,C={name:"appItem",mixins:[m,y],props:{app:{},category:{},listView:{type:Boolean,default:!0}},watch:{"$route.params.id":function(t){this.isSelected=this.app.id===t}},components:{Multiselect:l.a,AppScore:h},data:function(){return{isSelected:!1,scrolled:!1}},mounted:function(){this.isSelected=this.app.id===this.$route.params.id},computed:{},watchers:{},methods:{showAppDetails:function(t){"INPUT"!==t.currentTarget.tagName&&"A"!==t.currentTarget.tagName&&this.$router.push({name:"apps-details",params:{category:this.category,id:this.app.id}})},prefix:function(t,e){return t+"_"+e}}},w=Object(d.a)(C,r,[],!1,null,null,null);w.options.__file="src/components/appList/appItem.vue";var A=w.exports,k={name:"prefixMixin",methods:{prefix:function(t,e){return t+"_"+e}}},x=Object(d.a)(k,void 0,void 0,!1,null,null,null);x.options.__file="src/components/prefixMixin.vue";var D=x.exports,$={name:"appList",mixins:[D],props:["category","app","search"],components:{Multiselect:l.a,appItem:A},computed:{loading:function(){return this.$store.getters.loading("list")},apps:function(){var t=this,e=this.$store.getters.getAllApps.filter(function(e){return-1!==e.name.toLowerCase().search(t.search.toLowerCase())}).sort(function(t,e){var a=""+(t.active?0:1)+(t.update?0:1)+t.name,s=""+(e.active?0:1)+(e.update?0:1)+e.name;return OC.Util.naturalSortCompare(a,s)});return"installed"===this.category?e.filter(function(t){return t.installed}):"enabled"===this.category?e.filter(function(t){return t.active&&t.installed}):"disabled"===this.category?e.filter(function(t){return!t.active&&t.installed}):"app-bundles"===this.category?e.filter(function(t){return t.bundles}):"updates"===this.category?e.filter(function(t){return t.update}):e.filter(function(e){return e.appstore&&void 0!==e.category&&(e.category===t.category||e.category.indexOf(t.category)>-1)})},bundles:function(){return this.$store.getters.getServerData.bundles},bundleApps:function(){return function(t){return this.$store.getters.getAllApps.filter(function(e){return e.bundleId===t})}},searchApps:function(){var t=this;return""===this.search?[]:this.$store.getters.getAllApps.filter(function(e){return-1!==e.name.toLowerCase().search(t.search.toLowerCase())&&!t.apps.find(function(t){return t.id===e.id})})},useAppStoreView:function(){return!this.useListView&&!this.useBundleView},useListView:function(){return"installed"===this.category||"enabled"===this.category||"disabled"===this.category||"updates"===this.category},useBundleView:function(){return"app-bundles"===this.category},allBundlesEnabled:function(){var t=this;return function(e){return 0===t.bundleApps(e).filter(function(t){return!t.active}).length}},bundleToggleText:function(){var e=this;return function(a){return e.allBundlesEnabled(a)?t("settings","Disable all"):t("settings","Enable all")}}},methods:{toggleBundle:function(t){return this.allBundlesEnabled(t)?this.disableBundle(t):this.enableBundle(t)},enableBundle:function(t){var e=this.bundleApps(t).map(function(t){return t.id});this.$store.dispatch("enableApp",{appId:e,groups:[]}).catch(function(t){console.log(t),OC.Notification.show(t)})},disableBundle:function(t){var e=this.bundleApps(t).map(function(t){return t.id});this.$store.dispatch("disableApp",{appId:e,groups:[]}).catch(function(t){OC.Notification.show(t)})}}},S=Object(d.a)($,p,[],!1,null,null,null);S.options.__file="src/components/appList.vue";var O=S.exports,L=s(8),I=s(322),T=s.n(I),N=(s(1),function(){var t=this,e=t.$createElement,a=t._self._c||e;return a("div",{staticStyle:{padding:"20px"},attrs:{id:"app-details-view"}},[a("a",{staticClass:"close icon-close",attrs:{href:"#"},on:{click:t.hideAppDetails}},[a("span",{staticClass:"hidden-visually"},[t._v("Close")])]),t._v(" "),a("h2",[t.app.preview?t._e():a("div",{staticClass:"icon-settings-dark"}),t._v(" "),t.app.previewAsIcon&&t.app.preview?a("svg",{attrs:{width:"32",height:"32",viewBox:"0 0 32 32"}},[a("defs",[a("filter",{attrs:{id:t.filterId}},[a("feColorMatrix",{attrs:{in:"SourceGraphic",type:"matrix",values:"-1 0 0 0 1 0 -1 0 0 1 0 0 -1 0 1 0 0 0 1 0"}})],1)]),t._v(" "),a("image",{staticClass:"app-icon",attrs:{x:"0",y:"0",width:"32",height:"32",preserveAspectRatio:"xMinYMin meet",filter:t.filterUrl,"xlink:href":t.app.preview}})]):t._e(),t._v("\n\t\t"+t._s(t.app.name))]),t._v(" "),t.app.screenshot?a("img",{attrs:{src:t.app.screenshot,width:"100%"}}):t._e(),t._v(" "),200===t.app.level||t.hasRating?a("div",{staticClass:"app-level"},[200===t.app.level?a("span",{directives:[{name:"tooltip",rawName:"v-tooltip.auto",value:t.t("settings","Official apps are developed by and within the community. They offer central functionality and are ready for production use."),expression:"t('settings', 'Official apps are developed by and within the community. They offer central functionality and are ready for production use.')",modifiers:{auto:!0}}],staticClass:"official icon-checkmark"},[t._v("\n\t\t\t"+t._s(t.t("settings","Official")))]):t._e(),t._v(" "),t.hasRating?a("app-score",{attrs:{score:t.app.appstoreData.ratingOverall}}):t._e()],1):t._e(),t._v(" "),t.author?a("div",{staticClass:"app-author"},[t._v("\n\t\t"+t._s(t.t("settings","by"))+"\n\t\t"),t._l(t.author,function(e,s){return a("span",[e["@attributes"]&&e["@attributes"].homepage?a("a",{attrs:{href:e["@attributes"].homepage}},[t._v(t._s(e["@value"]))]):e["@value"]?a("span",[t._v(t._s(e["@value"]))]):a("span",[t._v(t._s(e))]),s+1-1:t.groupCheckedAppsData},on:{change:[function(e){var a=t.groupCheckedAppsData,s=e.target,i=!!s.checked;if(Array.isArray(a)){var n=t.app.id,p=t._i(a,n);s.checked?p<0&&(t.groupCheckedAppsData=a.concat([n])):p>-1&&(t.groupCheckedAppsData=a.slice(0,p).concat(a.slice(p+1)))}else t.groupCheckedAppsData=i},t.setGroupLimit]}}),t._v(" "),a("label",{attrs:{for:t.prefix("groups_enable",t.app.id)}},[t._v(t._s(t.t("settings","Limit to groups")))]),t._v(" "),a("input",{staticClass:"group_select",attrs:{type:"hidden",title:t.t("settings","All"),value:""}}),t._v(" "),t.isLimitedToGroups(t.app)?a("multiselect",{staticClass:"multiselect-vue",attrs:{options:t.groups,value:t.appGroups,"options-limit":5,placeholder:t.t("settings","Limit app usage to groups"),label:"name","track-by":"id",multiple:!0,"close-on-select":!1},on:{select:t.addGroupLimitation,remove:t.removeGroupLimitation,"search-change":t.asyncFindGroup}},[a("span",{attrs:{slot:"noResult"},slot:"noResult"},[t._v(t._s(t.t("settings","No results")))])]):t._e()],1):t._e()])]),t._v(" "),a("p",{staticClass:"documentation"},[t.app.internal?t._e():a("a",{staticClass:"appslink",attrs:{href:t.appstoreUrl,target:"_blank",rel:"noreferrer noopener"}},[t._v(t._s(t.t("settings","View in store"))+" ↗")]),t._v(" "),t.app.website?a("a",{staticClass:"appslink",attrs:{href:t.app.website,target:"_blank",rel:"noreferrer noopener"}},[t._v(t._s(t.t("settings","Visit website"))+" ↗")]):t._e(),t._v(" "),t.app.bugs?a("a",{staticClass:"appslink",attrs:{href:t.app.bugs,target:"_blank",rel:"noreferrer noopener"}},[t._v(t._s(t.t("settings","Report a bug"))+" ↗")]):t._e(),t._v(" "),t.app.documentation&&t.app.documentation.user?a("a",{staticClass:"appslink",attrs:{href:t.app.documentation.user,target:"_blank",rel:"noreferrer noopener"}},[t._v(t._s(t.t("settings","User documentation"))+" ↗")]):t._e(),t._v(" "),t.app.documentation&&t.app.documentation.admin?a("a",{staticClass:"appslink",attrs:{href:t.app.documentation.admin,target:"_blank",rel:"noreferrer noopener"}},[t._v(t._s(t.t("settings","Admin documentation"))+" ↗")]):t._e(),t._v(" "),t.app.documentation&&t.app.documentation.developer?a("a",{staticClass:"appslink",attrs:{href:t.app.documentation.developer,target:"_blank",rel:"noreferrer noopener"}},[t._v(t._s(t.t("settings","Developer documentation"))+" ↗")]):t._e()]),t._v(" "),a("ul",{staticClass:"app-dependencies"},[t.app.missingMinOwnCloudVersion?a("li",[t._v(t._s(t.t("settings","This app has no minimum Nextcloud version assigned. This will be an error in the future.")))]):t._e(),t._v(" "),t.app.missingMaxOwnCloudVersion?a("li",[t._v(t._s(t.t("settings","This app has no maximum Nextcloud version assigned. This will be an error in the future.")))]):t._e(),t._v(" "),t.app.canInstall?t._e():a("li",[t._v("\n\t\t\t"+t._s(t.t("settings","This app cannot be installed because the following dependencies are not fulfilled:"))+"\n\t\t\t"),a("ul",{staticClass:"missing-dependencies"},t._l(t.app.missingDependencies,function(e){return a("li",[t._v(t._s(e))])}))])]),t._v(" "),a("div",{staticClass:"app-description",domProps:{innerHTML:t._s(t.renderMarkdown)}})])});N._withStripped=!0;var M={mixins:[m,D,y],name:"appDetails",props:["category","app"],components:{Multiselect:l.a,AppScore:h},data:function(){return{groupCheckedAppsData:!1}},mounted:function(){this.app.groups.length>0&&(this.groupCheckedAppsData=!0)},methods:{hideAppDetails:function(){this.$router.push({name:"apps-category",params:{category:this.category}})}},computed:{appstoreUrl:function(){return"https://apps.nextcloud.com/apps/".concat(this.app.id)},licence:function(){return this.app.licence?t("settings","{license}-licensed",{license:(""+this.app.licence).toUpperCase()}):null},hasRating:function(){return this.app.appstoreData&&this.app.appstoreData.ratingNumOverall>5},author:function(){return"string"==typeof this.app.author?[{"@value":this.app.author}]:this.app.author["@value"]?[this.app.author]:this.app.author},appGroups:function(){return this.app.groups.map(function(t){return{id:t,name:t}})},groups:function(){return this.$store.getters.getGroups.filter(function(t){return"disabled"!==t.id}).sort(function(t,e){return t.name.localeCompare(e.name)})},renderMarkdown:function(){var t=new window.marked.Renderer;return t.link=function(t,e,a){try{var s=decodeURIComponent(unescape(t)).replace(/[^\w:]/g,"").toLowerCase()}catch(t){return""}if(0!==s.indexOf("http:")&&0!==s.indexOf("https:"))return"";var i='"},t.image=function(t,e,a){return a||e},t.blockquote=function(t){return t},DOMPurify.sanitize(window.marked(this.app.description.trim(),{renderer:t,gfm:!1,highlight:!1,tables:!1,breaks:!1,pedantic:!1,sanitize:!0,smartLists:!0,smartypants:!1}),{SAFE_FOR_JQUERY:!0,ALLOWED_TAGS:["strong","p","a","ul","ol","li","em","del","blockquote"]})}}},B=Object(d.a)(M,N,[],!1,null,null,null);B.options.__file="src/components/appDetails.vue";var V=B.exports;L.default.use(T.a);var G={name:"Apps",props:{category:{type:String,default:"installed"},id:{type:String,default:""}},components:{AppDetails:V,AppNavigation:n.AppNavigation,appList:O},methods:{setSearch:function(t){this.searchQuery=t},resetSearch:function(){this.setSearch("")}},beforeMount:function(){this.$store.dispatch("getCategories"),this.$store.dispatch("getAllApps"),this.$store.dispatch("getGroups",{offset:0,limit:5}),this.$store.commit("setUpdateCount",this.$store.getters.getServerData.updateCount)},mounted:function(){this.appSearch=new OCA.Search(this.setSearch,this.resetSearch)},data:function(){return{searchQuery:""}},watch:{category:function(t,e){this.setSearch("")}},computed:{loading:function(){return this.$store.getters.loading("categories")},loadingList:function(){return this.$store.getters.loading("list")},currentApp:function(){var t=this;return this.apps.find(function(e){return e.id===t.id})},categories:function(){return this.$store.getters.getCategories},apps:function(){return this.$store.getters.getAllApps},updateCount:function(){return this.$store.getters.getUpdateCount},settings:function(){return this.$store.getters.getServerData},menu:function(){var e=this,a=this.$store.getters.getCategories;a=(a=Array.isArray(a)?a:[]).map(function(t){var e={};return e.id="app-category-"+t.ident,e.icon="icon-category-"+t.ident,e.classes=[],e.router={name:"apps-category",params:{category:t.ident}},e.text=t.displayName,e});var s=[{id:"app-category-your-apps",classes:[],router:{name:"apps"},icon:"icon-category-installed",text:t("settings","Your apps")},{id:"app-category-enabled",classes:[],icon:"icon-category-enabled",router:{name:"apps-category",params:{category:"enabled"}},text:t("settings","Active apps")},{id:"app-category-disabled",classes:[],icon:"icon-category-disabled",router:{name:"apps-category",params:{category:"disabled"}},text:t("settings","Disabled apps")}];if(!this.settings.appstoreEnabled)return{id:"appscategories",items:s};this.$store.getters.getUpdateCount>0&&s.push({id:"app-category-updates",classes:[],icon:"icon-download",router:{name:"apps-category",params:{category:"updates"}},text:t("settings","Updates"),utils:{counter:this.$store.getters.getUpdateCount}}),s.push({id:"app-category-app-bundles",classes:[],icon:"icon-category-app-bundles",router:{name:"apps-category",params:{category:"app-bundles"}},text:t("settings","App bundles")});var i=(a=s.concat(a)).findIndex(function(t){return t.id==="app-category-"+e.category});return i>=0?a[i].classes.push("active"):a[0].classes.push("active"),a.push({id:"app-developer-docs",classes:[],href:this.settings.developerDocumentation,text:t("settings","Developer documentation")+" ↗"}),{id:"appscategories",items:a,loading:this.loading}}}},U=Object(d.a)(G,i,[],!1,null,null,null);U.options.__file="src/views/Apps.vue";a.default=U.exports}}]); //# sourceMappingURL=4.js.map \ No newline at end of file diff --git a/settings/js/4.js.map b/settings/js/4.js.map index d5a5c01ce6..2fcdb3c0d9 100644 --- a/settings/js/4.js.map +++ b/settings/js/4.js.map @@ -1 +1 @@ -{"version":3,"sources":["webpack:///./src/views/Apps.vue?550c","webpack:///./src/components/appList.vue?307d","webpack:///./src/components/appList/appItem.vue?c8e3","webpack:///./src/components/appList/appScore.vue?bca6","webpack:///src/components/appList/appScore.vue","webpack:///./src/components/appList/appScore.vue?e4bc","webpack:///./src/components/appList/appScore.vue","webpack:///./src/components/appManagement.vue?dab8","webpack:///src/components/appManagement.vue","webpack:///./src/components/appManagement.vue","webpack:///./src/components/svgFilterMixin.vue?5e67","webpack:///src/components/svgFilterMixin.vue","webpack:///./src/components/svgFilterMixin.vue","webpack:///./src/components/appList/appItem.vue?ad16","webpack:///src/components/appList/appItem.vue","webpack:///./src/components/appList/appItem.vue","webpack:///./src/components/prefixMixin.vue?62b8","webpack:///src/components/prefixMixin.vue","webpack:///./src/components/prefixMixin.vue","webpack:///./src/components/appList.vue?0ded","webpack:///src/components/appList.vue","webpack:///./src/components/appList.vue","webpack:///./src/components/appDetails.vue?649c","webpack:///src/components/appDetails.vue","webpack:///./src/components/appDetails.vue?d168","webpack:///./src/components/appDetails.vue","webpack:///src/views/Apps.vue","webpack:///./src/views/Apps.vue?f9ed","webpack:///./src/views/Apps.vue"],"names":["render","_vm","this","_h","$createElement","_c","_self","staticClass","class","with-app-sidebar","currentApp","attrs","id","menu","_v","icon-loading","loadingList","category","app","search","searchQuery","_e","_withStripped","appListvue_type_template_id_a1862e02_render","installed","useBundleView","useListView","store","useAppStoreView","name","tag","_l","apps","key","bundles","bundle","bundleApps","length","_s","type","value","bundleToggleText","on","click","$event","toggleBundle","list-view","searchApps","colspan","t","loading","appItemvue_type_template_id_1c68d544_render","selected","isSelected","showAppDetails","listView","preview","screenshot","width","height","viewBox","filterId","in","values","x","y","preserveAspectRatio","filter","filterUrl","xlink:href","src","summary","version","appstoreData","releases","level","directives","rawName","expression","modifiers","auto","score","error","update","disabled","installing","stopPropagation","canUnInstall","remove","active","disable","enableButtonTooltip","enableButtonText","canInstall","enable","appScorevue_type_template_id_71d71231_render","scoreImage","appList_appScorevue_type_script_lang_js_","props","computed","imageName","Math","round","OC","imagePath","component","Object","componentNormalizer","options","__file","appScore","components_appManagementvue_type_script_lang_js_","mounted","groups","groupCheckedAppsData","appGroups","map","group","self","$store","getters","needsDownload","methods","asyncFindGroup","query","dispatch","limit","offset","isLimitedToGroups","setGroupLimit","appId","canLimitToGroups","types","includes","addGroupLimitation","concat","removeGroupLimitation","currentGroups","index","indexOf","splice","then","response","Settings","Apps","rebuildNavigation","catch","Notification","show","install","appManagement_component","appManagement_render","appManagement_staticRenderFns","appManagement","components_svgFilterMixinvue_type_script_lang_js_","floor","random","Date","getSeconds","getMilliseconds","data","svgFilterMixin_component","svgFilterMixin_render","svgFilterMixin_staticRenderFns","svgFilterMixin","appList_appItemvue_type_script_lang_js_","mixins","Boolean","default","watch","$route.params.id","components","Multiselect","vue_multiselect_min_default","a","AppScore","scrolled","$route","params","watchers","event","currentTarget","tagName","$router","push","prefix","_prefix","content","appItem_component","appItem","components_prefixMixinvue_type_script_lang_js_","prefixMixin_component","prefixMixin_render","prefixMixin_staticRenderFns","prefixMixin","components_appListvue_type_script_lang_js_","_this","getAllApps","toLowerCase","sort","b","sortStringA","sortStringB","Util","naturalSortCompare","appstore","undefined","getServerData","bundleId","_this2","find","_app","allBundlesEnabled","disableBundle","enableBundle","console","log","appList_component","appList","appDetailsvue_type_template_id_273c8e71_render","staticStyle","padding","href","hideAppDetails","previewAsIcon","hasRating","ratingOverall","author","licence","domProps","checked","Array","isArray","_i","change","$$a","$$el","target","$$c","$$v","$$i","slice","for","title","options-limit","placeholder","label","track-by","multiple","close-on-select","select","search-change","slot","internal","appstoreUrl","rel","website","bugs","documentation","user","admin","developer","missingMinOwnCloudVersion","missingMaxOwnCloudVersion","missingDependencies","dep","innerHTML","renderMarkdown","components_appDetailsvue_type_script_lang_js_","license","toUpperCase","ratingNumOverall","@value","getGroups","localeCompare","renderer","window","marked","Renderer","link","text","prot","decodeURIComponent","unescape","replace","e","out","image","blockquote","quote","DOMPurify","sanitize","description","trim","gfm","highlight","tables","breaks","pedantic","smartLists","smartypants","SAFE_FOR_JQUERY","ALLOWED_TAGS","appDetails_component","appDetails","vue_esm","use","vue_local_storage_default","views_Appsvue_type_script_lang_js_","String","AppDetails","AppNavigation","ncvuecomponents","setSearch","resetSearch","beforeMount","commit","updateCount","appSearch","OCA","Search","val","old","categories","getCategories","getUpdateCount","settings","item","ident","icon","classes","router","displayName","defaultCategories","appstoreEnabled","items","utils","counter","activeGroup","findIndex","developerDocumentation","Apps_component","__webpack_exports__"],"mappings":"iGAAA,IAAAA,EAAA,WACA,IAAAC,EAAAC,KACAC,EAAAF,EAAAG,eACAC,EAAAJ,EAAAK,MAAAD,IAAAF,EACA,OAAAE,EACA,OAEAE,YAAA,eACAC,OAAcC,mBAAAR,EAAAS,YACdC,OAAcC,GAAA,aAGdP,EAAA,kBAA4BM,OAASE,KAAAZ,EAAAY,QACrCZ,EAAAa,GAAA,KACAT,EACA,OAEAE,YAAA,uBACAC,OAAkBO,eAAAd,EAAAe,aAClBL,OAAkBC,GAAA,iBAGlBP,EAAA,YACAM,OACAM,SAAAhB,EAAAgB,SACAC,IAAAjB,EAAAS,WACAS,OAAAlB,EAAAmB,gBAIA,GAEAnB,EAAAa,GAAA,KACAb,EAAAW,IAAAX,EAAAS,WACAL,EACA,OACaM,OAASC,GAAA,iBAEtBP,EAAA,eACAM,OAAwBM,SAAAhB,EAAAgB,SAAAC,IAAAjB,EAAAS,eAGxB,GAEAT,EAAAoB,MAEA,IAIArB,EAAAsB,eAAA,eClDIC,EAAM,WACV,IAAAtB,EAAAC,KACAC,EAAAF,EAAAG,eACAC,EAAAJ,EAAAK,MAAAD,IAAAF,EACA,OAAAE,EAAA,OAAoBM,OAASC,GAAA,uBAC7BP,EACA,OAEAE,YAAA,YACAC,OACAgB,UAAAvB,EAAAwB,eAAAxB,EAAAyB,YACAC,MAAA1B,EAAA2B,iBAEAjB,OAAgBC,GAAA,eAGhBX,EAAAyB,aAEArB,EACA,oBAEAE,YAAA,sBACAI,OAA0BkB,KAAA,WAAAC,IAAA,QAE1B7B,EAAA8B,GAAA9B,EAAA+B,KAAA,SAAAd,GACA,OAAAb,EAAA,YACA4B,IAAAf,EAAAN,GACAD,OAA4BO,MAAAD,SAAAhB,EAAAgB,gBAK5BhB,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAA8B,GAAA9B,EAAAiC,QAAA,SAAAC,GACA,OAAAlC,EAAAwB,eAAAxB,EAAAmC,WAAAD,EAAAvB,IAAAyB,OAAA,GAEAhC,EACA,oBAEAE,YAAA,sBACAI,OAA4BkB,KAAA,WAAAC,IAAA,SAG5BzB,EAAA,OAA+B4B,IAAAE,EAAAvB,GAAAL,YAAA,gBAC/BF,EAAA,OAAiCE,YAAA,cACjCN,EAAAa,GAAA,KACAT,EAAA,MACAJ,EAAAa,GAAAb,EAAAqC,GAAAH,EAAAN,MAAA,KACAxB,EAAA,SACAM,OACA4B,KAAA,SACAC,MAAAvC,EAAAwC,iBAAAN,EAAAvB,KAEA8B,IACAC,MAAA,SAAAC,GACA3C,EAAA4C,aAAAV,EAAAvB,UAKAX,EAAAa,GAAA,KACAT,EAAA,OAAiCE,YAAA,gBACjCN,EAAAa,GAAA,KACAT,EAAA,OAAiCE,YAAA,cACjCN,EAAAa,GAAA,KACAT,EAAA,OAAiCE,YAAA,eACjCN,EAAAa,GAAA,KACAT,EAAA,OAAiCE,YAAA,YAAyBN,EAAAa,GAAA,SAE1Db,EAAAa,GAAA,KACAb,EAAA8B,GAAA9B,EAAAmC,WAAAD,EAAAvB,IAAA,SAAAM,GACA,OAAAb,EAAA,YACA4B,IAAAE,EAAAvB,GAAAM,EAAAN,GACAD,OAAgCO,MAAAD,SAAAhB,EAAAgB,eAIhC,IAGAhB,EAAAoB,OAEApB,EAAAa,GAAA,KACAb,EAAA2B,gBACA3B,EAAA8B,GAAA9B,EAAA+B,KAAA,SAAAd,GACA,OAAAb,EAAA,YACA4B,IAAAf,EAAAN,GACAD,OAAwBO,MAAAD,SAAAhB,EAAAgB,SAAA6B,aAAA,OAGxB7C,EAAAoB,MAEA,GAEApB,EAAAa,GAAA,KACAT,EACA,OACOE,YAAA,sBAAAI,OAA6CC,GAAA,sBAEpDP,EACA,OACWE,YAAA,wBAEX,KAAAN,EAAAkB,QAAAlB,EAAA8C,WAAAV,OAAA,GAEAhC,EAAA,OAA6BE,YAAA,YAC7BF,EAAA,OACAJ,EAAAa,GAAA,KACAT,EAAA,MAA8BM,OAASqC,QAAA,OACvC3C,EAAA,MACAJ,EAAAa,GACAb,EAAAqC,GACArC,EAAAgD,EAAA,oDAMAhD,EAAAa,GAAA,KACAb,EAAA8B,GAAA9B,EAAA8C,WAAA,SAAA7B,GACA,OAAAb,EAAA,YACA4B,IAAAf,EAAAN,GACAD,OACAO,MACAD,SAAAhB,EAAAgB,SACA6B,aAAA,QAKA7C,EAAAoB,MAEA,KAIApB,EAAAa,GAAA,KACAb,EAAAiD,SAAA,IAAAjD,EAAA8C,WAAAV,QAAA,IAAApC,EAAA+B,KAAAK,OAoBApC,EAAAoB,KAnBAhB,EACA,OAEAE,YAAA,mCACAI,OAAoBC,GAAA,qBAGpBP,EAAA,OACAE,YAAA,qBACAI,OAAsBC,GAAA,yBAEtBX,EAAAa,GAAA,KACAT,EAAA,MACAJ,EAAAa,GACAb,EAAAqC,GAAArC,EAAAgD,EAAA,mDAMAhD,EAAAa,GAAA,KACAT,EAAA,OAAeM,OAASC,GAAA,sBAIxBW,EAAMD,eAAA,ECpKN,IAAI6B,EAAM,WACV,IAAAlD,EAAAC,KACAC,EAAAF,EAAAG,eACAC,EAAAJ,EAAAK,MAAAD,IAAAF,EACA,OAAAE,EACA,OAEAE,YAAA,UACAC,OAAc4C,SAAAnD,EAAAoD,YACdX,IAAWC,MAAA1C,EAAAqD,kBAGXjD,EACA,OAEAE,YAAA,2BACAmC,IAAeC,MAAA1C,EAAAqD,kBAGfrD,EAAAsD,WAAAtD,EAAAiB,IAAAsC,UACAvD,EAAAsD,WAAAtD,EAAAiB,IAAAuC,WACApD,EAAA,OAAyBE,YAAA,uBACzBN,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAsD,UAAAtD,EAAAiB,IAAAsC,QACAnD,EACA,OACiBM,OAAS+C,MAAA,KAAAC,OAAA,KAAAC,QAAA,eAE1BvD,EAAA,QACAA,EACA,UACuBM,OAASC,GAAAX,EAAA4D,YAEhCxD,EAAA,iBACAM,OACAmD,GAAA,gBACAvB,KAAA,SACAwB,OAAA,iDAIA,KAGA9D,EAAAa,GAAA,KACAT,EAAA,SACAE,YAAA,WACAI,OACAqD,EAAA,IACAC,EAAA,IACAP,MAAA,KACAC,OAAA,KACAO,oBAAA,gBACAC,OAAAlE,EAAAmE,UACAC,aAAApE,EAAAiB,IAAAsC,aAKAvD,EAAAoB,KACApB,EAAAa,GAAA,MACAb,EAAAsD,UAAAtD,EAAAiB,IAAAuC,WACApD,EAAA,OAAyBM,OAAS2D,IAAArE,EAAAiB,IAAAuC,WAAAC,MAAA,UAClCzD,EAAAoB,OAGApB,EAAAa,GAAA,KACAT,EACA,OACSE,YAAA,WAAAmC,IAA+BC,MAAA1C,EAAAqD,kBACxCrD,EAAAa,GAAA,SAAAb,EAAAqC,GAAArC,EAAAiB,IAAAW,MAAA,UAEA5B,EAAAa,GAAA,KACAb,EAAAsD,SAIAtD,EAAAoB,KAHAhB,EAAA,OAAqBE,YAAA,gBACrBN,EAAAa,GAAAb,EAAAqC,GAAArC,EAAAiB,IAAAqD,YAGAtE,EAAAa,GAAA,KACAb,EAAAsD,SACAlD,EAAA,OAAqBE,YAAA,gBACrBN,EAAAiB,IAAAsD,QACAnE,EAAA,QAAAJ,EAAAa,GAAAb,EAAAqC,GAAArC,EAAAiB,IAAAsD,YACAvE,EAAAiB,IAAAuD,aAAAC,SAAA,GAAAF,QACAnE,EAAA,QACAJ,EAAAa,GAAAb,EAAAqC,GAAArC,EAAAiB,IAAAuD,aAAAC,SAAA,GAAAF,YAEAvE,EAAAoB,OAEApB,EAAAoB,KACApB,EAAAa,GAAA,KACAT,EACA,OACSE,YAAA,cAET,MAAAN,EAAAiB,IAAAyD,MACAtE,EACA,QAEAuE,aAEA/C,KAAA,UACAgD,QAAA,iBACArC,MAAAvC,EAAAgD,EACA,WACA,+HAEA6B,WACA,+IACAC,WAAkCC,MAAA,KAGlCzE,YAAA,4BAEAN,EAAAa,GAAA,WAAAb,EAAAqC,GAAArC,EAAAgD,EAAA,2BAEAhD,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAsD,SAEAtD,EAAAoB,KADAhB,EAAA,aAA+BM,OAASsE,MAAAhF,EAAAiB,IAAA+D,UAGxC,GAEAhF,EAAAa,GAAA,KACAT,EAAA,OAAiBE,YAAA,YACjBN,EAAAiB,IAAAgE,MACA7E,EAAA,OAAuBE,YAAA,YACvBN,EAAAa,GAAAb,EAAAqC,GAAArC,EAAAiB,IAAAgE,UAEAjF,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAiD,QAAAjD,EAAAiB,IAAAN,IACAP,EAAA,OAAuBE,YAAA,4BACvBN,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAiB,IAAAiE,OACA9E,EAAA,SACAE,YAAA,SACAI,OACA4B,KAAA,SACAC,MAAAvC,EAAAgD,EAAA,iCACAkC,OAAAlF,EAAAiB,IAAAiE,SAEAC,SAAAnF,EAAAoF,YAAApF,EAAAiD,QAAAjD,EAAAiB,IAAAN,KAEA8B,IACAC,MAAA,SAAAC,GACAA,EAAA0C,kBACArF,EAAAkF,OAAAlF,EAAAiB,IAAAN,QAIAX,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAiB,IAAAqE,aACAlF,EAAA,SACAE,YAAA,YACAI,OACA4B,KAAA,SACAC,MAAAvC,EAAAgD,EAAA,qBACAmC,SAAAnF,EAAAoF,YAAApF,EAAAiD,QAAAjD,EAAAiB,IAAAN,KAEA8B,IACAC,MAAA,SAAAC,GACAA,EAAA0C,kBACArF,EAAAuF,OAAAvF,EAAAiB,IAAAN,QAIAX,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAiB,IAAAuE,OACApF,EAAA,SACAE,YAAA,SACAI,OACA4B,KAAA,SACAC,MAAAvC,EAAAgD,EAAA,sBACAmC,SAAAnF,EAAAoF,YAAApF,EAAAiD,QAAAjD,EAAAiB,IAAAN,KAEA8B,IACAC,MAAA,SAAAC,GACAA,EAAA0C,kBACArF,EAAAyF,QAAAzF,EAAAiB,IAAAN,QAIAX,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAiB,IAAAuE,OA2BAxF,EAAAoB,KA1BAhB,EAAA,SACAuE,aAEA/C,KAAA,UACAgD,QAAA,iBACArC,MAAAvC,EAAA0F,oBACAb,WAAA,sBACAC,WAA8BC,MAAA,KAG9BzE,YAAA,SACAI,OACA4B,KAAA,SACAC,MAAAvC,EAAA2F,iBACAR,UACAnF,EAAAiB,IAAA2E,YACA5F,EAAAoF,YACApF,EAAAiD,QAAAjD,EAAAiB,IAAAN,KAEA8B,IACAC,MAAA,SAAAC,GACAA,EAAA0C,kBACArF,EAAA6F,OAAA7F,EAAAiB,IAAAN,aAUAuC,EAAM7B,eAAA,wBC/NFyE,EAAM,WACV,IACA5F,EADAD,KACAE,eAEA,OAHAF,KAEAI,MAAAD,IAAAF,GACA,OACAI,YAAA,kBACAI,OAAY2D,IALZpE,KAKY8F,eAIZD,EAAMzE,eAAA,ECgBN,IC1B8L2E,GD2B9LpE,KAAA,WACAqE,OAAA,SACAC,UACAH,WADA,WAEA,IACAI,EAAA,WADAC,KAAAC,MAAA,GAAApG,KAAA+E,OACA,OACA,OAAAsB,GAAAC,UAAA,OAAAJ,cE1BAK,EAAgBC,OAAAC,EAAA,EAAAD,CACdT,EACAF,MAEF,EACA,KACA,KACA,MAuBAU,EAAAG,QAAAC,OAAA,sCACe,IAAAC,EAAAL,UCtC8KM,GCwB7LC,QADA,WAEA9G,KAAAgB,IAAA+F,OAAA5E,OAAA,IACAnC,KAAAgH,sBAAA,IAGAf,UACAgB,UADA,WAEA,OAAAjH,KAAAgB,IAAA+F,OAAAG,IAAA,SAAAC,GAAA,OAAAzG,GAAAyG,EAAAxF,KAAAwF,MAEAnE,QAJA,WAKA,IAAAoE,EAAApH,KACA,gBAAAU,GACA,OAAA0G,EAAAC,OAAAC,QAAAtE,QAAAtC,KAGAyE,WAVA,WAWA,OAAAnF,KAAAqH,OAAAC,QAAAtE,QAAA,YAEA0C,iBAbA,WAcA,OAAA1F,KAAAgB,IAAAuG,cACAxE,EAAA,kCAEAA,EAAA,sBAEA0C,oBAnBA,WAoBA,QAAAzF,KAAAgB,IAAAuG,eACAxE,EAAA,8DAKAyE,SACAC,eADA,SACAC,GACA,OAAA1H,KAAAqH,OAAAM,SAAA,aAAA1G,OAAAyG,EAAAE,MAAA,EAAAC,OAAA,KAEAC,kBAJA,SAIA9G,GACA,SAAAhB,KAAAgB,IAAA+F,OAAA5E,SAAAnC,KAAAgH,uBAKAe,cAAA,WACA/H,KAAAgH,sBACAhH,KAAAqH,OAAAM,SAAA,aAAAK,MAAAhI,KAAAgB,IAAAN,GAAAqG,aAGAkB,iBAfA,SAeAjH,GACA,QAAAA,EAAAkH,OAAAlH,EAAAkH,MAAAC,SAAA,eACAnH,EAAAkH,MAAAC,SAAA,aACAnH,EAAAkH,MAAAC,SAAA,mBACAnH,EAAAkH,MAAAC,SAAA,YACAnH,EAAAkH,MAAAC,SAAA,+BAKAC,mBAzBA,SAyBAjB,GACA,IAAAJ,EAAA/G,KAAAgB,IAAA+F,OAAAsB,mBAAAlB,EAAAzG,KACAV,KAAAqH,OAAAM,SAAA,aAAAK,MAAAhI,KAAAgB,IAAAN,GAAAqG,YAEAuB,sBA7BA,SA6BAnB,GACA,IAAAoB,EAAAvI,KAAAgB,IAAA+F,OAAAsB,WACAG,EAAAD,EAAAE,QAAAtB,EAAAzG,IACA8H,GAAA,GACAD,EAAAG,OAAAF,EAAA,GAEAxI,KAAAqH,OAAAM,SAAA,aAAAK,MAAAhI,KAAAgB,IAAAN,GAAAqG,OAAAwB,KAEA3C,OArCA,SAqCAoC,GACAhI,KAAAqH,OAAAM,SAAA,aAAAK,QAAAjB,YACA4B,KAAA,SAAAC,GAAAvC,GAAAwC,SAAAC,KAAAC,sBACAC,MAAA,SAAAhE,GAAAqB,GAAA4C,aAAAC,KAAAlE,MAEAQ,QA1CA,SA0CAwC,GACAhI,KAAAqH,OAAAM,SAAA,cAAAK,UACAW,KAAA,SAAAC,GAAAvC,GAAAwC,SAAAC,KAAAC,sBACAC,MAAA,SAAAhE,GAAAqB,GAAA4C,aAAAC,KAAAlE,MAEAM,OA/CA,SA+CA0C,GACAhI,KAAAqH,OAAAM,SAAA,gBAAAK,UACAW,KAAA,SAAAC,GAAAvC,GAAAwC,SAAAC,KAAAC,sBACAC,MAAA,SAAAhE,GAAAqB,GAAA4C,aAAAC,KAAAlE,MAEAmE,QApDA,SAoDAnB,GACAhI,KAAAqH,OAAAM,SAAA,aAAAK,UACAW,KAAA,SAAAC,GAAAvC,GAAAwC,SAAAC,KAAAC,sBACAC,MAAA,SAAAhE,GAAAqB,GAAA4C,aAAAC,KAAAlE,MAEAC,OAzDA,SAyDA+C,GACAhI,KAAAqH,OAAAM,SAAA,aAAAK,UACAW,KAAA,SAAAC,GAAAvC,GAAAwC,SAAAC,KAAAC,sBACAC,MAAA,SAAAhE,GAAAqB,GAAA4C,aAAAC,KAAAlE,QC5GIoE,EAAY5C,OAAAC,EAAA,EAAAD,CACdK,OAREwC,OAAQC,GAWZ,EACA,KACA,KACA,MAkBAF,EAAS1C,QAAAC,OAAA,mCACM,IAAA4C,EAAAH,UCjC+KI,GCwB9L7H,KAAA,iBACAmF,QAFA,WAGA9G,KAAA2D,SAAA,iBAAAwC,KAAAsD,MAAA,IAAAtD,KAAAuD,WAAA,IAAAC,MAAAC,cAAA,IAAAD,MAAAE,mBAEA5D,UACA/B,UADA,WAEA,cAAAmE,OAAArI,KAAA2D,SAAA,OAGAmG,KAVA,WAWA,OACAnG,SAAA,MC5BIoG,EAAYvD,OAAAC,EAAA,EAAAD,CACdgD,OAREQ,OAAQC,GAWZ,EACA,KACA,KACA,MAkBAF,EAASrD,QAAAC,OAAA,oCACM,IAAAuD,EAAAH,UCjC8KI,GCoE7LxI,KAAA,UACAyI,QAAAb,EAAAW,GACAlE,OACAhF,OACAD,YACAsC,UACAhB,KAAAgI,QACAC,SAAA,IAGAC,OACAC,mBAAA,SAAA9J,GACAV,KAAAmD,WAAAnD,KAAAgB,IAAAN,SAGA+J,YACAC,YAAAC,EAAAC,EACAC,SAAAjE,GAEAkD,KApBA,WAqBA,OACA3G,YAAA,EACA2H,UAAA,IAGAhE,QA1BA,WA2BA9G,KAAAmD,WAAAnD,KAAAgB,IAAAN,KAAAV,KAAA+K,OAAAC,OAAAtK,IAEAuF,YAGAgF,YAGAzD,SACApE,eADA,SACA8H,GACA,UAAAA,EAAAC,cAAAC,SAAA,MAAAF,EAAAC,cAAAC,SAGApL,KAAAqL,QAAAC,MACA3J,KAAA,eACAqJ,QAAAjK,SAAAf,KAAAe,SAAAL,GAAAV,KAAAgB,IAAAN,OAGA6K,OAVA,SAUAC,EAAAC,GACA,OAAAD,EAAA,IAAAC,KC1GIC,EAAYlF,OAAAC,EAAA,EAAAD,CACd2D,EACAlH,MAEF,EACA,KACA,KACA,MAuBAyI,EAAShF,QAAAC,OAAA,qCACM,IAAAgF,EAAAD,UCtC4KE,GCwB3LjK,KAAA,cACA6F,SACA+D,OADA,SACAC,EAAAC,GACA,OAAAD,EAAA,IAAAC,KCpBII,EAAYrF,OAAAC,EAAA,EAAAD,CACdoF,OAREE,OAAQC,GAWZ,EACA,KACA,KACA,MAkBAF,EAASnF,QAAAC,OAAA,iCACM,IAAAqF,EAAAH,UCjCwKI,GC+EvLtK,KAAA,UACAyI,QAAA4B,GACAhG,OAAA,2BACAyE,YACAC,YAAAC,EAAAC,EACAe,WAEA1F,UACAjD,QADA,WAEA,OAAAhD,KAAAqH,OAAAC,QAAAtE,QAAA,SAEAlB,KAJA,WAIA,IAAAoK,EAAAlM,KACA8B,EAAA9B,KAAAqH,OAAAC,QAAA6E,WACAlI,OAAA,SAAAjD,GAAA,WAAAA,EAAAW,KAAAyK,cAAAnL,OAAAiL,EAAAjL,OAAAmL,iBACAC,KAAA,SAAAzB,EAAA0B,GACA,IAAAC,EAAA,IAAA3B,EAAArF,OAAA,MAAAqF,EAAA3F,OAAA,KAAA2F,EAAAjJ,KACA6K,EAAA,IAAAF,EAAA/G,OAAA,MAAA+G,EAAArH,OAAA,KAAAqH,EAAA3K,KACA,OAAA0E,GAAAoG,KAAAC,mBAAAH,EAAAC,KAGA,oBAAAxM,KAAAe,SACAe,EAAAmC,OAAA,SAAAjD,GAAA,OAAAA,EAAAM,YAEA,YAAAtB,KAAAe,SACAe,EAAAmC,OAAA,SAAAjD,GAAA,OAAAA,EAAAuE,QAAAvE,EAAAM,YAEA,aAAAtB,KAAAe,SACAe,EAAAmC,OAAA,SAAAjD,GAAA,OAAAA,EAAAuE,QAAAvE,EAAAM,YAEA,gBAAAtB,KAAAe,SACAe,EAAAmC,OAAA,SAAAjD,GAAA,OAAAA,EAAAgB,UAEA,YAAAhC,KAAAe,SACAe,EAAAmC,OAAA,SAAAjD,GAAA,OAAAA,EAAAiE,SAGAnD,EAAAmC,OAAA,SAAAjD,GACA,OAAAA,EAAA2L,eAAAC,IAAA5L,EAAAD,WACAC,EAAAD,WAAAmL,EAAAnL,UAAAC,EAAAD,SAAA0H,QAAAyD,EAAAnL,WAAA,MAGAiB,QAlCA,WAmCA,OAAAhC,KAAAqH,OAAAC,QAAAuF,cAAA7K,SAEAE,WArCA,WAsCA,gBAAAD,GACA,OAAAjC,KAAAqH,OAAAC,QAAA6E,WACAlI,OAAA,SAAAjD,GAAA,OAAAA,EAAA8L,WAAA7K,MAGAY,WA3CA,WA2CA,IAAAkK,EAAA/M,KACA,WAAAA,KAAAiB,UAGAjB,KAAAqH,OAAAC,QAAA6E,WACAlI,OAAA,SAAAjD,GACA,WAAAA,EAAAW,KAAAyK,cAAAnL,OAAA8L,EAAA9L,OAAAmL,iBACAW,EAAAjL,KAAAkL,KAAA,SAAAC,GAAA,OAAAA,EAAAvM,KAAAM,EAAAN,QAKAgB,gBAvDA,WAwDA,OAAA1B,KAAAwB,cAAAxB,KAAAuB,eAEAC,YA1DA,WA2DA,oBAAAxB,KAAAe,UAAA,YAAAf,KAAAe,UAAA,aAAAf,KAAAe,UAAA,YAAAf,KAAAe,UAEAQ,cA7DA,WA8DA,sBAAAvB,KAAAe,UAEAmM,kBAhEA,WAiEA,IAAA9F,EAAApH,KACA,gBAAAU,GACA,WAAA0G,EAAAlF,WAAAxB,GAAAuD,OAAA,SAAAjD,GAAA,OAAAA,EAAAuE,SAAApD,SAGAI,iBAtEA,WAuEA,IAAA6E,EAAApH,KACA,gBAAAU,GACA,OAAA0G,EAAA8F,kBAAAxM,GACAqC,EAAA,0BAEAA,EAAA,4BAIAyE,SACA7E,aADA,SACAjC,GACA,OAAAV,KAAAkN,kBAAAxM,GACAV,KAAAmN,cAAAzM,GAEAV,KAAAoN,aAAA1M,IAEA0M,aAPA,SAOA1M,GACA,IAAAoB,EAAA9B,KAAAkC,WAAAxB,GAAAwG,IAAA,SAAAlG,GAAA,OAAAA,EAAAN,KACAV,KAAAqH,OAAAM,SAAA,aAAAK,MAAAlG,EAAAiF,YACAiC,MAAA,SAAAhE,GAAAqI,QAAAC,IAAAtI,GAAAqB,GAAA4C,aAAAC,KAAAlE,MAEAmI,cAZA,SAYAzM,GACA,IAAAoB,EAAA9B,KAAAkC,WAAAxB,GAAAwG,IAAA,SAAAlG,GAAA,OAAAA,EAAAN,KACAV,KAAAqH,OAAAM,SAAA,cAAAK,MAAAlG,EAAAiF,YACAiC,MAAA,SAAAhE,GAAAqB,GAAA4C,aAAAC,KAAAlE,QC9KIuI,EAAY/G,OAAAC,EAAA,EAAAD,CACdyF,EACA5K,MAEF,EACA,KACA,KACA,MAuBAkM,EAAS7G,QAAAC,OAAA,6BACM,IAAA6G,EAAAD,mCCtCXE,QAAM,WACV,IAAA1N,EAAAC,KACAC,EAAAF,EAAAG,eACAC,EAAAJ,EAAAK,MAAAD,IAAAF,EACA,OAAAE,EACA,OACKuN,aAAeC,QAAA,QAAkBlN,OAAUC,GAAA,sBAEhDP,EACA,KAEAE,YAAA,mBACAI,OAAkBmN,KAAA,KAClBpL,IAAeC,MAAA1C,EAAA8N,kBAEf1N,EAAA,QAAqBE,YAAA,oBAAiCN,EAAAa,GAAA,aAEtDb,EAAAa,GAAA,KACAT,EAAA,MACAJ,EAAAiB,IAAAsC,QAEAvD,EAAAoB,KADAhB,EAAA,OAAuBE,YAAA,uBAEvBN,EAAAa,GAAA,KACAb,EAAAiB,IAAA8M,eAAA/N,EAAAiB,IAAAsC,QACAnD,EACA,OACeM,OAAS+C,MAAA,KAAAC,OAAA,KAAAC,QAAA,eAExBvD,EAAA,QACAA,EACA,UACqBM,OAASC,GAAAX,EAAA4D,YAE9BxD,EAAA,iBACAM,OACAmD,GAAA,gBACAvB,KAAA,SACAwB,OAAA,iDAIA,KAGA9D,EAAAa,GAAA,KACAT,EAAA,SACAE,YAAA,WACAI,OACAqD,EAAA,IACAC,EAAA,IACAP,MAAA,KACAC,OAAA,KACAO,oBAAA,gBACAC,OAAAlE,EAAAmE,UACAC,aAAApE,EAAAiB,IAAAsC,aAKAvD,EAAAoB,KACApB,EAAAa,GAAA,SAAAb,EAAAqC,GAAArC,EAAAiB,IAAAW,SAEA5B,EAAAa,GAAA,KACAb,EAAAiB,IAAAuC,WACApD,EAAA,OAAqBM,OAAS2D,IAAArE,EAAAiB,IAAAuC,WAAAC,MAAA,UAC9BzD,EAAAoB,KACApB,EAAAa,GAAA,KACA,MAAAb,EAAAiB,IAAAyD,OAAA1E,EAAAgO,UACA5N,EACA,OACaE,YAAA,cAEb,MAAAN,EAAAiB,IAAAyD,MACAtE,EACA,QAEAuE,aAEA/C,KAAA,UACAgD,QAAA,iBACArC,MAAAvC,EAAAgD,EACA,WACA,+HAEA6B,WACA,+IACAC,WAAsCC,MAAA,KAGtCzE,YAAA,4BAEAN,EAAAa,GAAA,WAAAb,EAAAqC,GAAArC,EAAAgD,EAAA,2BAEAhD,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAgO,UACA5N,EAAA,aACAM,OAA4BsE,MAAAhF,EAAAiB,IAAAuD,aAAAyJ,iBAE5BjO,EAAAoB,MAEA,GAEApB,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAkO,OACA9N,EACA,OACaE,YAAA,eAEbN,EAAAa,GAAA,SAAAb,EAAAqC,GAAArC,EAAAgD,EAAA,4BACAhD,EAAA8B,GAAA9B,EAAAkO,OAAA,SAAArD,EAAApC,GACA,OAAArI,EAAA,QACAyK,EAAA,gBAAAA,EAAA,wBACAzK,EACA,KACyBM,OAASmN,KAAAhD,EAAA,2BAClC7K,EAAAa,GAAAb,EAAAqC,GAAAwI,EAAA,cAEAA,EAAA,UACAzK,EAAA,QAAAJ,EAAAa,GAAAb,EAAAqC,GAAAwI,EAAA,cACAzK,EAAA,QAAAJ,EAAAa,GAAAb,EAAAqC,GAAAwI,MACApC,EAAA,EAAAzI,EAAAkO,OAAA9L,OACAhC,EAAA,QAAAJ,EAAAa,GAAA,QACAb,EAAAoB,UAIA,GAEApB,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAmO,QACA/N,EAAA,OAAqBE,YAAA,gBACrBN,EAAAa,GAAAb,EAAAqC,GAAArC,EAAAmO,YAEAnO,EAAAoB,KACApB,EAAAa,GAAA,KACAT,EAAA,OAAiBE,YAAA,YACjBF,EAAA,OAAmBE,YAAA,oBACnBN,EAAAiB,IAAAiE,OACA9E,EAAA,SACAE,YAAA,SACAI,OACA4B,KAAA,SACAC,MAAAvC,EAAAgD,EAAA,kCACAuB,QAAAvE,EAAAiB,IAAAiE,SAEAC,SAAAnF,EAAAoF,YAAApF,EAAAiD,QAAAjD,EAAAiB,IAAAN,OAGAX,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAiB,IAAAqE,aACAlF,EAAA,SACAE,YAAA,YACAI,OACA4B,KAAA,SACAC,MAAAvC,EAAAgD,EAAA,qBACAmC,SAAAnF,EAAAoF,YAAApF,EAAAiD,QAAAjD,EAAAiB,IAAAN,KAEA8B,IACAC,MAAA,SAAAC,GACA3C,EAAAuF,OAAAvF,EAAAiB,IAAAN,QAIAX,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAiB,IAAAuE,OACApF,EAAA,SACAE,YAAA,SACAI,OACA4B,KAAA,SACAC,MAAAvC,EAAAgD,EAAA,sBACAmC,SAAAnF,EAAAoF,YAAApF,EAAAiD,QAAAjD,EAAAiB,IAAAN,KAEA8B,IACAC,MAAA,SAAAC,GACA3C,EAAAyF,QAAAzF,EAAAiB,IAAAN,QAIAX,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAiB,IAAAuE,OA0BAxF,EAAAoB,KAzBAhB,EAAA,SACAuE,aAEA/C,KAAA,UACAgD,QAAA,iBACArC,MAAAvC,EAAA0F,oBACAb,WAAA,sBACAC,WAAgCC,MAAA,KAGhCzE,YAAA,SACAI,OACA4B,KAAA,SACAC,MAAAvC,EAAA2F,iBACAR,UACAnF,EAAAiB,IAAA2E,YACA5F,EAAAoF,YACApF,EAAAiD,QAAAjD,EAAAiB,IAAAN,KAEA8B,IACAC,MAAA,SAAAC,GACA3C,EAAA6F,OAAA7F,EAAAiB,IAAAN,UAMAX,EAAAa,GAAA,KACAT,EAAA,OAAmBE,YAAA,eACnBN,EAAAiB,IAAAuE,QAAAxF,EAAAkI,iBAAAlI,EAAAiB,KACAb,EACA,OACiBE,YAAA,kBAEjBF,EAAA,SACAuE,aAEA/C,KAAA,QACAgD,QAAA,UACArC,MAAAvC,EAAAiH,qBACApC,WAAA,yBAGAvE,YAAA,mCACAI,OACA4B,KAAA,WACA3B,GAAAX,EAAAwL,OAAA,gBAAAxL,EAAAiB,IAAAN,KAEAyN,UACA7L,MAAAvC,EAAAiB,IAAAN,GACA0N,QAAAC,MAAAC,QAAAvO,EAAAiH,sBACAjH,EAAAwO,GAAAxO,EAAAiH,qBAAAjH,EAAAiB,IAAAN,KAAA,EACAX,EAAAiH,sBAEAxE,IACAgM,QACA,SAAA9L,GACA,IAAA+L,EAAA1O,EAAAiH,qBACA0H,EAAAhM,EAAAiM,OACAC,IAAAF,EAAAN,QACA,GAAAC,MAAAC,QAAAG,GAAA,CACA,IAAAI,EAAA9O,EAAAiB,IAAAN,GACAoO,EAAA/O,EAAAwO,GAAAE,EAAAI,GACAH,EAAAN,QACAU,EAAA,IACA/O,EAAAiH,qBAAAyH,EAAApG,QAAAwG,KAEAC,GAAA,IACA/O,EAAAiH,qBAAAyH,EACAM,MAAA,EAAAD,GACAzG,OAAAoG,EAAAM,MAAAD,EAAA,UAGA/O,EAAAiH,qBAAA4H,GAGA7O,EAAAgI,kBAIAhI,EAAAa,GAAA,KACAT,EACA,SACqBM,OAASuO,IAAAjP,EAAAwL,OAAA,gBAAAxL,EAAAiB,IAAAN,OAC9BX,EAAAa,GAAAb,EAAAqC,GAAArC,EAAAgD,EAAA,kCAEAhD,EAAAa,GAAA,KACAT,EAAA,SACAE,YAAA,eACAI,OACA4B,KAAA,SACA4M,MAAAlP,EAAAgD,EAAA,kBACAT,MAAA,MAGAvC,EAAAa,GAAA,KACAb,EAAA+H,kBAAA/H,EAAAiB,KACAb,EACA,eAEAE,YAAA,kBACAI,OACAiG,QAAA3G,EAAAgH,OACAzE,MAAAvC,EAAAkH,UACAiI,gBAAA,EACAC,YAAApP,EAAAgD,EACA,WACA,6BAEAqM,MAAA,OACAC,WAAA,KACAC,UAAA,EACAC,mBAAA,GAEA/M,IACAgN,OAAAzP,EAAAqI,mBACA9C,OAAAvF,EAAAuI,sBACAmH,gBAAA1P,EAAA0H,kBAIAtH,EACA,QAC6BM,OAASiP,KAAA,YAAmBA,KAAA,aACzD3P,EAAAa,GAAAb,EAAAqC,GAAArC,EAAAgD,EAAA,+BAIAhD,EAAAoB,MAEA,GAEApB,EAAAoB,SAGApB,EAAAa,GAAA,KACAT,EAAA,KAAeE,YAAA,kBACfN,EAAAiB,IAAA2O,SAaA5P,EAAAoB,KAZAhB,EACA,KAEAE,YAAA,WACAI,OACAmN,KAAA7N,EAAA6P,YACAjB,OAAA,SACAkB,IAAA,yBAGA9P,EAAAa,GAAAb,EAAAqC,GAAArC,EAAAgD,EAAA,qCAGAhD,EAAAa,GAAA,KACAb,EAAAiB,IAAA8O,QACA3P,EACA,KAEAE,YAAA,WACAI,OACAmN,KAAA7N,EAAAiB,IAAA8O,QACAnB,OAAA,SACAkB,IAAA,yBAGA9P,EAAAa,GAAAb,EAAAqC,GAAArC,EAAAgD,EAAA,qCAEAhD,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAiB,IAAA+O,KACA5P,EACA,KAEAE,YAAA,WACAI,OACAmN,KAAA7N,EAAAiB,IAAA+O,KACApB,OAAA,SACAkB,IAAA,yBAGA9P,EAAAa,GAAAb,EAAAqC,GAAArC,EAAAgD,EAAA,oCAEAhD,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAiB,IAAAgP,eAAAjQ,EAAAiB,IAAAgP,cAAAC,KACA9P,EACA,KAEAE,YAAA,WACAI,OACAmN,KAAA7N,EAAAiB,IAAAgP,cAAAC,KACAtB,OAAA,SACAkB,IAAA,yBAGA9P,EAAAa,GAAAb,EAAAqC,GAAArC,EAAAgD,EAAA,0CAEAhD,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAiB,IAAAgP,eAAAjQ,EAAAiB,IAAAgP,cAAAE,MACA/P,EACA,KAEAE,YAAA,WACAI,OACAmN,KAAA7N,EAAAiB,IAAAgP,cAAAE,MACAvB,OAAA,SACAkB,IAAA,yBAGA9P,EAAAa,GAAAb,EAAAqC,GAAArC,EAAAgD,EAAA,2CAEAhD,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAiB,IAAAgP,eAAAjQ,EAAAiB,IAAAgP,cAAAG,UACAhQ,EACA,KAEAE,YAAA,WACAI,OACAmN,KAAA7N,EAAAiB,IAAAgP,cAAAG,UACAxB,OAAA,SACAkB,IAAA,yBAIA9P,EAAAa,GACAb,EAAAqC,GAAArC,EAAAgD,EAAA,+CAIAhD,EAAAoB,OAEApB,EAAAa,GAAA,KACAT,EAAA,MAAgBE,YAAA,qBAChBN,EAAAiB,IAAAoP,0BACAjQ,EAAA,MACAJ,EAAAa,GACAb,EAAAqC,GACArC,EAAAgD,EACA,WACA,gGAKAhD,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAiB,IAAAqP,0BACAlQ,EAAA,MACAJ,EAAAa,GACAb,EAAAqC,GACArC,EAAAgD,EACA,WACA,gGAKAhD,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAiB,IAAA2E,WAoBA5F,EAAAoB,KAnBAhB,EAAA,MACAJ,EAAAa,GACA,WACAb,EAAAqC,GACArC,EAAAgD,EACA,WACA,uFAGA,YAEA5C,EACA,MACiBE,YAAA,wBACjBN,EAAA8B,GAAA9B,EAAAiB,IAAAsP,oBAAA,SAAAC,GACA,OAAApQ,EAAA,MAAAJ,EAAAa,GAAAb,EAAAqC,GAAAmO,aAMAxQ,EAAAa,GAAA,KACAT,EAAA,OACAE,YAAA,kBACA8N,UAAmBqC,UAAAzQ,EAAAqC,GAAArC,EAAA0Q,uBAMnBhD,EAAMrM,eAAA,ECrXN,ICvG0LsP,GDwG1LtG,QAAAb,EAAAyC,EAAA9B,GACAvI,KAAA,aACAqE,OAAA,kBACAyE,YACAC,YAAAC,EAAAC,EACAC,SAAAjE,GAEAkD,KARA,WASA,OACA9C,sBAAA,IAGAF,QAbA,WAcA9G,KAAAgB,IAAA+F,OAAA5E,OAAA,IACAnC,KAAAgH,sBAAA,IAGAQ,SACAqG,eADA,WAEA7N,KAAAqL,QAAAC,MACA3J,KAAA,gBACAqJ,QAAAjK,SAAAf,KAAAe,cAIAkF,UACA2J,YADA,WAEA,yCAAAvH,OAAArI,KAAAgB,IAAAN,KAEAwN,QAJA,WAKA,OAAAlO,KAAAgB,IAAAkN,QACAnL,EAAA,iCAAA4N,SAAA,GAAA3Q,KAAAgB,IAAAkN,SAAA0C,gBAEA,MAEA7C,UAVA,WAWA,OAAA/N,KAAAgB,IAAAuD,cAAAvE,KAAAgB,IAAAuD,aAAAsM,iBAAA,GAEA5C,OAbA,WAcA,uBAAAjO,KAAAgB,IAAAiN,SAGA6C,SAAA9Q,KAAAgB,IAAAiN,SAIAjO,KAAAgB,IAAAiN,OAAA,WACAjO,KAAAgB,IAAAiN,QAEAjO,KAAAgB,IAAAiN,QAEAhH,UA1BA,WA2BA,OAAAjH,KAAAgB,IAAA+F,OAAAG,IAAA,SAAAC,GAAA,OAAAzG,GAAAyG,EAAAxF,KAAAwF,MAEAJ,OA7BA,WA8BA,OAAA/G,KAAAqH,OAAAC,QAAAyJ,UACA9M,OAAA,SAAAkD,GAAA,mBAAAA,EAAAzG,KACA2L,KAAA,SAAAzB,EAAA0B,GAAA,OAAA1B,EAAAjJ,KAAAqP,cAAA1E,EAAA3K,SAEA8O,eAlCA,WAoCA,IAAAQ,EAAA,IAAAC,OAAAC,OAAAC,SA8BA,OA7BAH,EAAAI,KAAA,SAAAzD,EAAAqB,EAAAqC,GACA,IACA,IAAAC,EAAAC,mBAAAC,SAAA7D,IACA8D,QAAA,cACAtF,cACA,MAAAuF,GACA,SAGA,OAAAJ,EAAA9I,QAAA,cAAA8I,EAAA9I,QAAA,UACA,SAGA,IAAAmJ,EAAA,YAAAhE,EAAA,8BAKA,OAJAqB,IACA2C,GAAA,WAAA3C,EAAA,KAEA2C,GAAA,IAAAN,EAAA,QAGAL,EAAAY,MAAA,SAAAjE,EAAAqB,EAAAqC,GACA,OAAAA,GAGArC,GAEAgC,EAAAa,WAAA,SAAAC,GACA,OAAAA,GAEAC,UAAAC,SACAf,OAAAC,OAAAnR,KAAAgB,IAAAkR,YAAAC,QACAlB,WACAmB,KAAA,EACAC,WAAA,EACAC,QAAA,EACAC,QAAA,EACAC,UAAA,EACAP,UAAA,EACAQ,YAAA,EACAC,aAAA,KAGAC,iBAAA,EACAC,cACA,SACA,IACA,IACA,KACA,KACA,KACA,KACA,MACA,mBEnNIC,EAAYrM,OAAAC,EAAA,EAAAD,CACdkK,EACAjD,MAEF,EACA,KACA,KACA,MAuBAoF,EAASnM,QAAAC,OAAA,gCACM,IAAAmM,EAAAD,UCMfE,EAAA,QAAAC,IAAAC,EAAArI,GAEA,IC9CoLsI,GD+CpLvR,KAAA,OACAqE,OACAjF,UACAsB,KAAA8Q,OACA7I,QAAA,aAEA5J,IACA2B,KAAA8Q,OACA7I,QAAA,KAGAG,YACA2I,WAAAN,EACAO,cAAAC,EAAA,cACA9F,WAEAhG,SACA+L,UADA,SACA7L,GACA1H,KAAAkB,YAAAwG,GAEA8L,YAJA,WAKAxT,KAAAuT,UAAA,MAGAE,YAzBA,WA0BAzT,KAAAqH,OAAAM,SAAA,iBACA3H,KAAAqH,OAAAM,SAAA,cACA3H,KAAAqH,OAAAM,SAAA,aAAAE,OAAA,EAAAD,MAAA,IACA5H,KAAAqH,OAAAqM,OAAA,iBAAA1T,KAAAqH,OAAAC,QAAAuF,cAAA8G,cAEA7M,QA/BA,WAmCA9G,KAAA4T,UAAA,IAAAC,IAAAC,OAAA9T,KAAAuT,UAAAvT,KAAAwT,cAEA1J,KArCA,WAsCA,OACA5I,YAAA,KAGAqJ,OACAxJ,SAAA,SAAAgT,EAAAC,GACAhU,KAAAuT,UAAA,MAGAtN,UACAjD,QADA,WAEA,OAAAhD,KAAAqH,OAAAC,QAAAtE,QAAA,eAEAlC,YAJA,WAKA,OAAAd,KAAAqH,OAAAC,QAAAtE,QAAA,SAEAxC,WAPA,WAOA,IAAA0L,EAAAlM,KACA,OAAAA,KAAA8B,KAAAkL,KAAA,SAAAhM,GAAA,OAAAA,EAAAN,KAAAwL,EAAAxL,MAEAuT,WAVA,WAWA,OAAAjU,KAAAqH,OAAAC,QAAA4M,eAEApS,KAbA,WAcA,OAAA9B,KAAAqH,OAAAC,QAAA6E,YAEAwH,YAhBA,WAiBA,OAAA3T,KAAAqH,OAAAC,QAAA6M,gBAEAC,SAnBA,WAoBA,OAAApU,KAAAqH,OAAAC,QAAAuF,eAIAlM,KAxBA,WAwBA,IAAAoM,EAAA/M,KAEAiU,EAAAjU,KAAAqH,OAAAC,QAAA4M,cAIAD,GAHAA,EAAA5F,MAAAC,QAAA2F,SAGA/M,IAAA,SAAAnG,GACA,IAAAsT,KAUA,OATAA,EAAA3T,GAAA,gBAAAK,EAAAuT,MACAD,EAAAE,KAAA,iBAAAxT,EAAAuT,MACAD,EAAAG,WACAH,EAAAI,QACA9S,KAAA,gBACAqJ,QAAAjK,WAAAuT,QAEAD,EAAA/C,KAAAvQ,EAAA2T,YAEAL,IAKA,IAAAM,IAEAjU,GAAA,yBACA8T,WACAC,QAAA9S,KAAA,QACA4S,KAAA,0BACAjD,KAAAvO,EAAA,0BAGArC,GAAA,uBACA8T,WACAD,KAAA,wBACAE,QAAA9S,KAAA,gBAAAqJ,QAAAjK,SAAA,YACAuQ,KAAAvO,EAAA,4BAEArC,GAAA,wBACA8T,WACAD,KAAA,yBACAE,QAAA9S,KAAA,gBAAAqJ,QAAAjK,SAAA,aACAuQ,KAAAvO,EAAA,8BAIA,IAAA/C,KAAAoU,SAAAQ,gBACA,OACAlU,GAAA,iBACAmU,MAAAF,GAIA3U,KAAAqH,OAAAC,QAAA6M,eAAA,GACAQ,EAAArJ,MACA5K,GAAA,uBACA8T,WACAD,KAAA,gBACAE,QAAA9S,KAAA,gBAAAqJ,QAAAjK,SAAA,YACAuQ,KAAAvO,EAAA,sBACA+R,OAAAC,QAAA/U,KAAAqH,OAAAC,QAAA6M,kBAIAQ,EAAArJ,MACA5K,GAAA,2BACA8T,WACAD,KAAA,4BACAE,QAAA9S,KAAA,gBAAAqJ,QAAAjK,SAAA,gBACAuQ,KAAAvO,EAAA,4BAMA,IAAAiS,GAHAf,EAAAU,EAAAtM,OAAA4L,IAGAgB,UAAA,SAAA9N,GAAA,OAAAA,EAAAzG,KAAA,gBAAAqM,EAAAhM,WAeA,OAdAiU,GAAA,EACAf,EAAAe,GAAAR,QAAAlJ,KAAA,UAEA2I,EAAA,GAAAO,QAAAlJ,KAAA,UAGA2I,EAAA3I,MACA5K,GAAA,qBACA8T,WACA5G,KAAA5N,KAAAoU,SAAAc,uBACA5D,KAAAvO,EAAA,8CAKArC,GAAA,iBACAmU,MAAAZ,EACAjR,QAAAhD,KAAAgD,YE1MImS,EAAY3O,OAAAC,EAAA,EAAAD,CACd0M,EACApT,MAEF,EACA,KACA,KACA,MAuBAqV,EAASzO,QAAAC,OAAA,qBACMyO,EAAA,QAAAD","file":"4.js","sourcesContent":["var render = function() {\n var _vm = this\n var _h = _vm.$createElement\n var _c = _vm._self._c || _h\n return _c(\n \"div\",\n {\n staticClass: \"app-settings\",\n class: { \"with-app-sidebar\": _vm.currentApp },\n attrs: { id: \"content\" }\n },\n [\n _c(\"app-navigation\", { attrs: { menu: _vm.menu } }),\n _vm._v(\" \"),\n _c(\n \"div\",\n {\n staticClass: \"app-settings-content\",\n class: { \"icon-loading\": _vm.loadingList },\n attrs: { id: \"app-content\" }\n },\n [\n _c(\"app-list\", {\n attrs: {\n category: _vm.category,\n app: _vm.currentApp,\n search: _vm.searchQuery\n }\n })\n ],\n 1\n ),\n _vm._v(\" \"),\n _vm.id && _vm.currentApp\n ? _c(\n \"div\",\n { attrs: { id: \"app-sidebar\" } },\n [\n _c(\"app-details\", {\n attrs: { category: _vm.category, app: _vm.currentApp }\n })\n ],\n 1\n )\n : _vm._e()\n ],\n 1\n )\n}\nvar staticRenderFns = []\nrender._withStripped = true\n\nexport { render, staticRenderFns }","var render = function() {\n var _vm = this\n var _h = _vm.$createElement\n var _c = _vm._self._c || _h\n return _c(\"div\", { attrs: { id: \"app-content-inner\" } }, [\n _c(\n \"div\",\n {\n staticClass: \"apps-list\",\n class: {\n installed: _vm.useBundleView || _vm.useListView,\n store: _vm.useAppStoreView\n },\n attrs: { id: \"apps-list\" }\n },\n [\n _vm.useListView\n ? [\n _c(\n \"transition-group\",\n {\n staticClass: \"apps-list-container\",\n attrs: { name: \"app-list\", tag: \"div\" }\n },\n _vm._l(_vm.apps, function(app) {\n return _c(\"app-item\", {\n key: app.id,\n attrs: { app: app, category: _vm.category }\n })\n })\n )\n ]\n : _vm._e(),\n _vm._v(\" \"),\n _vm._l(_vm.bundles, function(bundle) {\n return _vm.useBundleView && _vm.bundleApps(bundle.id).length > 0\n ? [\n _c(\n \"transition-group\",\n {\n staticClass: \"apps-list-container\",\n attrs: { name: \"app-list\", tag: \"div\" }\n },\n [\n _c(\"div\", { key: bundle.id, staticClass: \"apps-header\" }, [\n _c(\"div\", { staticClass: \"app-image\" }),\n _vm._v(\" \"),\n _c(\"h2\", [\n _vm._v(_vm._s(bundle.name) + \" \"),\n _c(\"input\", {\n attrs: {\n type: \"button\",\n value: _vm.bundleToggleText(bundle.id)\n },\n on: {\n click: function($event) {\n _vm.toggleBundle(bundle.id)\n }\n }\n })\n ]),\n _vm._v(\" \"),\n _c(\"div\", { staticClass: \"app-version\" }),\n _vm._v(\" \"),\n _c(\"div\", { staticClass: \"app-level\" }),\n _vm._v(\" \"),\n _c(\"div\", { staticClass: \"app-groups\" }),\n _vm._v(\" \"),\n _c(\"div\", { staticClass: \"actions\" }, [_vm._v(\" \")])\n ]),\n _vm._v(\" \"),\n _vm._l(_vm.bundleApps(bundle.id), function(app) {\n return _c(\"app-item\", {\n key: bundle.id + app.id,\n attrs: { app: app, category: _vm.category }\n })\n })\n ],\n 2\n )\n ]\n : _vm._e()\n }),\n _vm._v(\" \"),\n _vm.useAppStoreView\n ? _vm._l(_vm.apps, function(app) {\n return _c(\"app-item\", {\n key: app.id,\n attrs: { app: app, category: _vm.category, \"list-view\": false }\n })\n })\n : _vm._e()\n ],\n 2\n ),\n _vm._v(\" \"),\n _c(\n \"div\",\n { staticClass: \"apps-list installed\", attrs: { id: \"apps-list-search\" } },\n [\n _c(\n \"div\",\n { staticClass: \"apps-list-container\" },\n [\n _vm.search !== \"\" && _vm.searchApps.length > 0\n ? [\n _c(\"div\", { staticClass: \"section\" }, [\n _c(\"div\"),\n _vm._v(\" \"),\n _c(\"td\", { attrs: { colspan: \"5\" } }, [\n _c(\"h2\", [\n _vm._v(\n _vm._s(\n _vm.t(\"settings\", \"Results from other categories\")\n )\n )\n ])\n ])\n ]),\n _vm._v(\" \"),\n _vm._l(_vm.searchApps, function(app) {\n return _c(\"app-item\", {\n key: app.id,\n attrs: {\n app: app,\n category: _vm.category,\n \"list-view\": true\n }\n })\n })\n ]\n : _vm._e()\n ],\n 2\n )\n ]\n ),\n _vm._v(\" \"),\n !_vm.loading && _vm.searchApps.length === 0 && _vm.apps.length === 0\n ? _c(\n \"div\",\n {\n staticClass: \"emptycontent emptycontent-search\",\n attrs: { id: \"apps-list-empty\" }\n },\n [\n _c(\"div\", {\n staticClass: \"icon-settings-dark\",\n attrs: { id: \"app-list-empty-icon\" }\n }),\n _vm._v(\" \"),\n _c(\"h2\", [\n _vm._v(\n _vm._s(_vm.t(\"settings\", \"No apps found for your version\"))\n )\n ])\n ]\n )\n : _vm._e(),\n _vm._v(\" \"),\n _c(\"div\", { attrs: { id: \"searchresults\" } })\n ])\n}\nvar staticRenderFns = []\nrender._withStripped = true\n\nexport { render, staticRenderFns }","var render = function() {\n var _vm = this\n var _h = _vm.$createElement\n var _c = _vm._self._c || _h\n return _c(\n \"div\",\n {\n staticClass: \"section\",\n class: { selected: _vm.isSelected },\n on: { click: _vm.showAppDetails }\n },\n [\n _c(\n \"div\",\n {\n staticClass: \"app-image app-image-icon\",\n on: { click: _vm.showAppDetails }\n },\n [\n (_vm.listView && !_vm.app.preview) ||\n (!_vm.listView && !_vm.app.screenshot)\n ? _c(\"div\", { staticClass: \"icon-settings-dark\" })\n : _vm._e(),\n _vm._v(\" \"),\n _vm.listView && _vm.app.preview\n ? _c(\n \"svg\",\n { attrs: { width: \"32\", height: \"32\", viewBox: \"0 0 32 32\" } },\n [\n _c(\"defs\", [\n _c(\n \"filter\",\n { attrs: { id: _vm.filterId } },\n [\n _c(\"feColorMatrix\", {\n attrs: {\n in: \"SourceGraphic\",\n type: \"matrix\",\n values: \"-1 0 0 0 1 0 -1 0 0 1 0 0 -1 0 1 0 0 0 1 0\"\n }\n })\n ],\n 1\n )\n ]),\n _vm._v(\" \"),\n _c(\"image\", {\n staticClass: \"app-icon\",\n attrs: {\n x: \"0\",\n y: \"0\",\n width: \"32\",\n height: \"32\",\n preserveAspectRatio: \"xMinYMin meet\",\n filter: _vm.filterUrl,\n \"xlink:href\": _vm.app.preview\n }\n })\n ]\n )\n : _vm._e(),\n _vm._v(\" \"),\n !_vm.listView && _vm.app.screenshot\n ? _c(\"img\", { attrs: { src: _vm.app.screenshot, width: \"100%\" } })\n : _vm._e()\n ]\n ),\n _vm._v(\" \"),\n _c(\n \"div\",\n { staticClass: \"app-name\", on: { click: _vm.showAppDetails } },\n [_vm._v(\"\\n\\t\\t\" + _vm._s(_vm.app.name) + \"\\n\\t\")]\n ),\n _vm._v(\" \"),\n !_vm.listView\n ? _c(\"div\", { staticClass: \"app-summary\" }, [\n _vm._v(_vm._s(_vm.app.summary))\n ])\n : _vm._e(),\n _vm._v(\" \"),\n _vm.listView\n ? _c(\"div\", { staticClass: \"app-version\" }, [\n _vm.app.version\n ? _c(\"span\", [_vm._v(_vm._s(_vm.app.version))])\n : _vm.app.appstoreData.releases[0].version\n ? _c(\"span\", [\n _vm._v(_vm._s(_vm.app.appstoreData.releases[0].version))\n ])\n : _vm._e()\n ])\n : _vm._e(),\n _vm._v(\" \"),\n _c(\n \"div\",\n { staticClass: \"app-level\" },\n [\n _vm.app.level === 200\n ? _c(\n \"span\",\n {\n directives: [\n {\n name: \"tooltip\",\n rawName: \"v-tooltip.auto\",\n value: _vm.t(\n \"settings\",\n \"Official apps are developed by and within the community. They offer central functionality and are ready for production use.\"\n ),\n expression:\n \"t('settings', 'Official apps are developed by and within the community. They offer central functionality and are ready for production use.')\",\n modifiers: { auto: true }\n }\n ],\n staticClass: \"official icon-checkmark\"\n },\n [_vm._v(\"\\n\\t\\t\\t\" + _vm._s(_vm.t(\"settings\", \"Official\")))]\n )\n : _vm._e(),\n _vm._v(\" \"),\n !_vm.listView\n ? _c(\"app-score\", { attrs: { score: _vm.app.score } })\n : _vm._e()\n ],\n 1\n ),\n _vm._v(\" \"),\n _c(\"div\", { staticClass: \"actions\" }, [\n _vm.app.error\n ? _c(\"div\", { staticClass: \"warning\" }, [\n _vm._v(_vm._s(_vm.app.error))\n ])\n : _vm._e(),\n _vm._v(\" \"),\n _vm.loading(_vm.app.id)\n ? _c(\"div\", { staticClass: \"icon icon-loading-small\" })\n : _vm._e(),\n _vm._v(\" \"),\n _vm.app.update\n ? _c(\"input\", {\n staticClass: \"update\",\n attrs: {\n type: \"button\",\n value: _vm.t(\"settings\", \"Update to {update}\", {\n update: _vm.app.update\n }),\n disabled: _vm.installing || _vm.loading(_vm.app.id)\n },\n on: {\n click: function($event) {\n $event.stopPropagation()\n _vm.update(_vm.app.id)\n }\n }\n })\n : _vm._e(),\n _vm._v(\" \"),\n _vm.app.canUnInstall\n ? _c(\"input\", {\n staticClass: \"uninstall\",\n attrs: {\n type: \"button\",\n value: _vm.t(\"settings\", \"Remove\"),\n disabled: _vm.installing || _vm.loading(_vm.app.id)\n },\n on: {\n click: function($event) {\n $event.stopPropagation()\n _vm.remove(_vm.app.id)\n }\n }\n })\n : _vm._e(),\n _vm._v(\" \"),\n _vm.app.active\n ? _c(\"input\", {\n staticClass: \"enable\",\n attrs: {\n type: \"button\",\n value: _vm.t(\"settings\", \"Disable\"),\n disabled: _vm.installing || _vm.loading(_vm.app.id)\n },\n on: {\n click: function($event) {\n $event.stopPropagation()\n _vm.disable(_vm.app.id)\n }\n }\n })\n : _vm._e(),\n _vm._v(\" \"),\n !_vm.app.active\n ? _c(\"input\", {\n directives: [\n {\n name: \"tooltip\",\n rawName: \"v-tooltip.auto\",\n value: _vm.enableButtonTooltip,\n expression: \"enableButtonTooltip\",\n modifiers: { auto: true }\n }\n ],\n staticClass: \"enable\",\n attrs: {\n type: \"button\",\n value: _vm.enableButtonText,\n disabled:\n !_vm.app.canInstall ||\n _vm.installing ||\n _vm.loading(_vm.app.id)\n },\n on: {\n click: function($event) {\n $event.stopPropagation()\n _vm.enable(_vm.app.id)\n }\n }\n })\n : _vm._e()\n ])\n ]\n )\n}\nvar staticRenderFns = []\nrender._withStripped = true\n\nexport { render, staticRenderFns }","var render = function() {\n var _vm = this\n var _h = _vm.$createElement\n var _c = _vm._self._c || _h\n return _c(\"img\", {\n staticClass: \"app-score-image\",\n attrs: { src: _vm.scoreImage }\n })\n}\nvar staticRenderFns = []\nrender._withStripped = true\n\nexport { render, staticRenderFns }","\n\n\n","import mod from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./appScore.vue?vue&type=script&lang=js&\"; export default mod; export * from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./appScore.vue?vue&type=script&lang=js&\"","import { render, staticRenderFns } from \"./appScore.vue?vue&type=template&id=71d71231&\"\nimport script from \"./appScore.vue?vue&type=script&lang=js&\"\nexport * from \"./appScore.vue?vue&type=script&lang=js&\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\n/* hot reload */\nif (module.hot) {\n var api = require(\"/home/roeland/nc/server/settings/node_modules/vue-hot-reload-api/dist/index.js\")\n api.install(require('vue'))\n if (api.compatible) {\n module.hot.accept()\n if (!module.hot.data) {\n api.createRecord('71d71231', component.options)\n } else {\n api.reload('71d71231', component.options)\n }\n module.hot.accept(\"./appScore.vue?vue&type=template&id=71d71231&\", function () {\n api.rerender('71d71231', {\n render: render,\n staticRenderFns: staticRenderFns\n })\n })\n }\n}\ncomponent.options.__file = \"src/components/appList/appScore.vue\"\nexport default component.exports","import mod from \"-!../../node_modules/babel-loader/lib/index.js!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./appManagement.vue?vue&type=script&lang=js&\"; export default mod; export * from \"-!../../node_modules/babel-loader/lib/index.js!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./appManagement.vue?vue&type=script&lang=js&\"","\n\n\n","var render, staticRenderFns\nimport script from \"./appManagement.vue?vue&type=script&lang=js&\"\nexport * from \"./appManagement.vue?vue&type=script&lang=js&\"\n\n\n/* normalize component */\nimport normalizer from \"!../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\n/* hot reload */\nif (module.hot) {\n var api = require(\"/home/roeland/nc/server/settings/node_modules/vue-hot-reload-api/dist/index.js\")\n api.install(require('vue'))\n if (api.compatible) {\n module.hot.accept()\n if (!module.hot.data) {\n api.createRecord('1ae84938', component.options)\n } else {\n api.reload('1ae84938', component.options)\n }\n \n }\n}\ncomponent.options.__file = \"src/components/appManagement.vue\"\nexport default component.exports","import mod from \"-!../../node_modules/babel-loader/lib/index.js!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./svgFilterMixin.vue?vue&type=script&lang=js&\"; export default mod; export * from \"-!../../node_modules/babel-loader/lib/index.js!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./svgFilterMixin.vue?vue&type=script&lang=js&\"","\n\n","var render, staticRenderFns\nimport script from \"./svgFilterMixin.vue?vue&type=script&lang=js&\"\nexport * from \"./svgFilterMixin.vue?vue&type=script&lang=js&\"\n\n\n/* normalize component */\nimport normalizer from \"!../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\n/* hot reload */\nif (module.hot) {\n var api = require(\"/home/roeland/nc/server/settings/node_modules/vue-hot-reload-api/dist/index.js\")\n api.install(require('vue'))\n if (api.compatible) {\n module.hot.accept()\n if (!module.hot.data) {\n api.createRecord('66ac5316', component.options)\n } else {\n api.reload('66ac5316', component.options)\n }\n \n }\n}\ncomponent.options.__file = \"src/components/svgFilterMixin.vue\"\nexport default component.exports","import mod from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./appItem.vue?vue&type=script&lang=js&\"; export default mod; export * from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./appItem.vue?vue&type=script&lang=js&\"","\n\n\n\n\n","import { render, staticRenderFns } from \"./appItem.vue?vue&type=template&id=1c68d544&\"\nimport script from \"./appItem.vue?vue&type=script&lang=js&\"\nexport * from \"./appItem.vue?vue&type=script&lang=js&\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\n/* hot reload */\nif (module.hot) {\n var api = require(\"/home/roeland/nc/server/settings/node_modules/vue-hot-reload-api/dist/index.js\")\n api.install(require('vue'))\n if (api.compatible) {\n module.hot.accept()\n if (!module.hot.data) {\n api.createRecord('1c68d544', component.options)\n } else {\n api.reload('1c68d544', component.options)\n }\n module.hot.accept(\"./appItem.vue?vue&type=template&id=1c68d544&\", function () {\n api.rerender('1c68d544', {\n render: render,\n staticRenderFns: staticRenderFns\n })\n })\n }\n}\ncomponent.options.__file = \"src/components/appList/appItem.vue\"\nexport default component.exports","import mod from \"-!../../node_modules/babel-loader/lib/index.js!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./prefixMixin.vue?vue&type=script&lang=js&\"; export default mod; export * from \"-!../../node_modules/babel-loader/lib/index.js!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./prefixMixin.vue?vue&type=script&lang=js&\"","\n\n","var render, staticRenderFns\nimport script from \"./prefixMixin.vue?vue&type=script&lang=js&\"\nexport * from \"./prefixMixin.vue?vue&type=script&lang=js&\"\n\n\n/* normalize component */\nimport normalizer from \"!../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\n/* hot reload */\nif (module.hot) {\n var api = require(\"/home/roeland/nc/server/settings/node_modules/vue-hot-reload-api/dist/index.js\")\n api.install(require('vue'))\n if (api.compatible) {\n module.hot.accept()\n if (!module.hot.data) {\n api.createRecord('eb3bc8a2', component.options)\n } else {\n api.reload('eb3bc8a2', component.options)\n }\n \n }\n}\ncomponent.options.__file = \"src/components/prefixMixin.vue\"\nexport default component.exports","import mod from \"-!../../node_modules/babel-loader/lib/index.js!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./appList.vue?vue&type=script&lang=js&\"; export default mod; export * from \"-!../../node_modules/babel-loader/lib/index.js!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./appList.vue?vue&type=script&lang=js&\"","\n\n\n\n\n","import { render, staticRenderFns } from \"./appList.vue?vue&type=template&id=a1862e02&\"\nimport script from \"./appList.vue?vue&type=script&lang=js&\"\nexport * from \"./appList.vue?vue&type=script&lang=js&\"\n\n\n/* normalize component */\nimport normalizer from \"!../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\n/* hot reload */\nif (module.hot) {\n var api = require(\"/home/roeland/nc/server/settings/node_modules/vue-hot-reload-api/dist/index.js\")\n api.install(require('vue'))\n if (api.compatible) {\n module.hot.accept()\n if (!module.hot.data) {\n api.createRecord('a1862e02', component.options)\n } else {\n api.reload('a1862e02', component.options)\n }\n module.hot.accept(\"./appList.vue?vue&type=template&id=a1862e02&\", function () {\n api.rerender('a1862e02', {\n render: render,\n staticRenderFns: staticRenderFns\n })\n })\n }\n}\ncomponent.options.__file = \"src/components/appList.vue\"\nexport default component.exports","var render = function() {\n var _vm = this\n var _h = _vm.$createElement\n var _c = _vm._self._c || _h\n return _c(\n \"div\",\n { staticStyle: { padding: \"20px\" }, attrs: { id: \"app-details-view\" } },\n [\n _c(\n \"a\",\n {\n staticClass: \"close icon-close\",\n attrs: { href: \"#\" },\n on: { click: _vm.hideAppDetails }\n },\n [_c(\"span\", { staticClass: \"hidden-visually\" }, [_vm._v(\"Close\")])]\n ),\n _vm._v(\" \"),\n _c(\"h2\", [\n !_vm.app.preview\n ? _c(\"div\", { staticClass: \"icon-settings-dark\" })\n : _vm._e(),\n _vm._v(\" \"),\n _vm.app.previewAsIcon && _vm.app.preview\n ? _c(\n \"svg\",\n { attrs: { width: \"32\", height: \"32\", viewBox: \"0 0 32 32\" } },\n [\n _c(\"defs\", [\n _c(\n \"filter\",\n { attrs: { id: _vm.filterId } },\n [\n _c(\"feColorMatrix\", {\n attrs: {\n in: \"SourceGraphic\",\n type: \"matrix\",\n values: \"-1 0 0 0 1 0 -1 0 0 1 0 0 -1 0 1 0 0 0 1 0\"\n }\n })\n ],\n 1\n )\n ]),\n _vm._v(\" \"),\n _c(\"image\", {\n staticClass: \"app-icon\",\n attrs: {\n x: \"0\",\n y: \"0\",\n width: \"32\",\n height: \"32\",\n preserveAspectRatio: \"xMinYMin meet\",\n filter: _vm.filterUrl,\n \"xlink:href\": _vm.app.preview\n }\n })\n ]\n )\n : _vm._e(),\n _vm._v(\"\\n\\t\\t\" + _vm._s(_vm.app.name))\n ]),\n _vm._v(\" \"),\n _vm.app.screenshot\n ? _c(\"img\", { attrs: { src: _vm.app.screenshot, width: \"100%\" } })\n : _vm._e(),\n _vm._v(\" \"),\n _vm.app.level === 200 || _vm.hasRating\n ? _c(\n \"div\",\n { staticClass: \"app-level\" },\n [\n _vm.app.level === 200\n ? _c(\n \"span\",\n {\n directives: [\n {\n name: \"tooltip\",\n rawName: \"v-tooltip.auto\",\n value: _vm.t(\n \"settings\",\n \"Official apps are developed by and within the community. They offer central functionality and are ready for production use.\"\n ),\n expression:\n \"t('settings', 'Official apps are developed by and within the community. They offer central functionality and are ready for production use.')\",\n modifiers: { auto: true }\n }\n ],\n staticClass: \"official icon-checkmark\"\n },\n [_vm._v(\"\\n\\t\\t\\t\" + _vm._s(_vm.t(\"settings\", \"Official\")))]\n )\n : _vm._e(),\n _vm._v(\" \"),\n _vm.hasRating\n ? _c(\"app-score\", {\n attrs: { score: _vm.app.appstoreData.ratingOverall }\n })\n : _vm._e()\n ],\n 1\n )\n : _vm._e(),\n _vm._v(\" \"),\n _vm.author\n ? _c(\n \"div\",\n { staticClass: \"app-author\" },\n [\n _vm._v(\"\\n\\t\\t\" + _vm._s(_vm.t(\"settings\", \"by\")) + \"\\n\\t\\t\"),\n _vm._l(_vm.author, function(a, index) {\n return _c(\"span\", [\n a[\"@attributes\"] && a[\"@attributes\"][\"homepage\"]\n ? _c(\n \"a\",\n { attrs: { href: a[\"@attributes\"][\"homepage\"] } },\n [_vm._v(_vm._s(a[\"@value\"]))]\n )\n : a[\"@value\"]\n ? _c(\"span\", [_vm._v(_vm._s(a[\"@value\"]))])\n : _c(\"span\", [_vm._v(_vm._s(a))]),\n index + 1 < _vm.author.length\n ? _c(\"span\", [_vm._v(\", \")])\n : _vm._e()\n ])\n })\n ],\n 2\n )\n : _vm._e(),\n _vm._v(\" \"),\n _vm.licence\n ? _c(\"div\", { staticClass: \"app-licence\" }, [\n _vm._v(_vm._s(_vm.licence))\n ])\n : _vm._e(),\n _vm._v(\" \"),\n _c(\"div\", { staticClass: \"actions\" }, [\n _c(\"div\", { staticClass: \"actions-buttons\" }, [\n _vm.app.update\n ? _c(\"input\", {\n staticClass: \"update\",\n attrs: {\n type: \"button\",\n value: _vm.t(\"settings\", \"Update to {version}\", {\n version: _vm.app.update\n }),\n disabled: _vm.installing || _vm.loading(_vm.app.id)\n }\n })\n : _vm._e(),\n _vm._v(\" \"),\n _vm.app.canUnInstall\n ? _c(\"input\", {\n staticClass: \"uninstall\",\n attrs: {\n type: \"button\",\n value: _vm.t(\"settings\", \"Remove\"),\n disabled: _vm.installing || _vm.loading(_vm.app.id)\n },\n on: {\n click: function($event) {\n _vm.remove(_vm.app.id)\n }\n }\n })\n : _vm._e(),\n _vm._v(\" \"),\n _vm.app.active\n ? _c(\"input\", {\n staticClass: \"enable\",\n attrs: {\n type: \"button\",\n value: _vm.t(\"settings\", \"Disable\"),\n disabled: _vm.installing || _vm.loading(_vm.app.id)\n },\n on: {\n click: function($event) {\n _vm.disable(_vm.app.id)\n }\n }\n })\n : _vm._e(),\n _vm._v(\" \"),\n !_vm.app.active\n ? _c(\"input\", {\n directives: [\n {\n name: \"tooltip\",\n rawName: \"v-tooltip.auto\",\n value: _vm.enableButtonTooltip,\n expression: \"enableButtonTooltip\",\n modifiers: { auto: true }\n }\n ],\n staticClass: \"enable\",\n attrs: {\n type: \"button\",\n value: _vm.enableButtonText,\n disabled:\n !_vm.app.canInstall ||\n _vm.installing ||\n _vm.loading(_vm.app.id)\n },\n on: {\n click: function($event) {\n _vm.enable(_vm.app.id)\n }\n }\n })\n : _vm._e()\n ]),\n _vm._v(\" \"),\n _c(\"div\", { staticClass: \"app-groups\" }, [\n _vm.app.active && _vm.canLimitToGroups(_vm.app)\n ? _c(\n \"div\",\n { staticClass: \"groups-enable\" },\n [\n _c(\"input\", {\n directives: [\n {\n name: \"model\",\n rawName: \"v-model\",\n value: _vm.groupCheckedAppsData,\n expression: \"groupCheckedAppsData\"\n }\n ],\n staticClass: \"groups-enable__checkbox checkbox\",\n attrs: {\n type: \"checkbox\",\n id: _vm.prefix(\"groups_enable\", _vm.app.id)\n },\n domProps: {\n value: _vm.app.id,\n checked: Array.isArray(_vm.groupCheckedAppsData)\n ? _vm._i(_vm.groupCheckedAppsData, _vm.app.id) > -1\n : _vm.groupCheckedAppsData\n },\n on: {\n change: [\n function($event) {\n var $$a = _vm.groupCheckedAppsData,\n $$el = $event.target,\n $$c = $$el.checked ? true : false\n if (Array.isArray($$a)) {\n var $$v = _vm.app.id,\n $$i = _vm._i($$a, $$v)\n if ($$el.checked) {\n $$i < 0 &&\n (_vm.groupCheckedAppsData = $$a.concat([$$v]))\n } else {\n $$i > -1 &&\n (_vm.groupCheckedAppsData = $$a\n .slice(0, $$i)\n .concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.groupCheckedAppsData = $$c\n }\n },\n _vm.setGroupLimit\n ]\n }\n }),\n _vm._v(\" \"),\n _c(\n \"label\",\n { attrs: { for: _vm.prefix(\"groups_enable\", _vm.app.id) } },\n [_vm._v(_vm._s(_vm.t(\"settings\", \"Limit to groups\")))]\n ),\n _vm._v(\" \"),\n _c(\"input\", {\n staticClass: \"group_select\",\n attrs: {\n type: \"hidden\",\n title: _vm.t(\"settings\", \"All\"),\n value: \"\"\n }\n }),\n _vm._v(\" \"),\n _vm.isLimitedToGroups(_vm.app)\n ? _c(\n \"multiselect\",\n {\n staticClass: \"multiselect-vue\",\n attrs: {\n options: _vm.groups,\n value: _vm.appGroups,\n \"options-limit\": 5,\n placeholder: _vm.t(\n \"settings\",\n \"Limit app usage to groups\"\n ),\n label: \"name\",\n \"track-by\": \"id\",\n multiple: true,\n \"close-on-select\": false\n },\n on: {\n select: _vm.addGroupLimitation,\n remove: _vm.removeGroupLimitation,\n \"search-change\": _vm.asyncFindGroup\n }\n },\n [\n _c(\n \"span\",\n { attrs: { slot: \"noResult\" }, slot: \"noResult\" },\n [_vm._v(_vm._s(_vm.t(\"settings\", \"No results\")))]\n )\n ]\n )\n : _vm._e()\n ],\n 1\n )\n : _vm._e()\n ])\n ]),\n _vm._v(\" \"),\n _c(\"p\", { staticClass: \"documentation\" }, [\n !_vm.app.internal\n ? _c(\n \"a\",\n {\n staticClass: \"appslink\",\n attrs: {\n href: _vm.appstoreUrl,\n target: \"_blank\",\n rel: \"noreferrer noopener\"\n }\n },\n [_vm._v(_vm._s(_vm.t(\"settings\", \"View in store\")) + \" ↗\")]\n )\n : _vm._e(),\n _vm._v(\" \"),\n _vm.app.website\n ? _c(\n \"a\",\n {\n staticClass: \"appslink\",\n attrs: {\n href: _vm.app.website,\n target: \"_blank\",\n rel: \"noreferrer noopener\"\n }\n },\n [_vm._v(_vm._s(_vm.t(\"settings\", \"Visit website\")) + \" ↗\")]\n )\n : _vm._e(),\n _vm._v(\" \"),\n _vm.app.bugs\n ? _c(\n \"a\",\n {\n staticClass: \"appslink\",\n attrs: {\n href: _vm.app.bugs,\n target: \"_blank\",\n rel: \"noreferrer noopener\"\n }\n },\n [_vm._v(_vm._s(_vm.t(\"settings\", \"Report a bug\")) + \" ↗\")]\n )\n : _vm._e(),\n _vm._v(\" \"),\n _vm.app.documentation && _vm.app.documentation.user\n ? _c(\n \"a\",\n {\n staticClass: \"appslink\",\n attrs: {\n href: _vm.app.documentation.user,\n target: \"_blank\",\n rel: \"noreferrer noopener\"\n }\n },\n [_vm._v(_vm._s(_vm.t(\"settings\", \"User documentation\")) + \" ↗\")]\n )\n : _vm._e(),\n _vm._v(\" \"),\n _vm.app.documentation && _vm.app.documentation.admin\n ? _c(\n \"a\",\n {\n staticClass: \"appslink\",\n attrs: {\n href: _vm.app.documentation.admin,\n target: \"_blank\",\n rel: \"noreferrer noopener\"\n }\n },\n [_vm._v(_vm._s(_vm.t(\"settings\", \"Admin documentation\")) + \" ↗\")]\n )\n : _vm._e(),\n _vm._v(\" \"),\n _vm.app.documentation && _vm.app.documentation.developer\n ? _c(\n \"a\",\n {\n staticClass: \"appslink\",\n attrs: {\n href: _vm.app.documentation.developer,\n target: \"_blank\",\n rel: \"noreferrer noopener\"\n }\n },\n [\n _vm._v(\n _vm._s(_vm.t(\"settings\", \"Developer documentation\")) + \" ↗\"\n )\n ]\n )\n : _vm._e()\n ]),\n _vm._v(\" \"),\n _c(\"ul\", { staticClass: \"app-dependencies\" }, [\n _vm.app.missingMinOwnCloudVersion\n ? _c(\"li\", [\n _vm._v(\n _vm._s(\n _vm.t(\n \"settings\",\n \"This app has no minimum Nextcloud version assigned. This will be an error in the future.\"\n )\n )\n )\n ])\n : _vm._e(),\n _vm._v(\" \"),\n _vm.app.missingMaxOwnCloudVersion\n ? _c(\"li\", [\n _vm._v(\n _vm._s(\n _vm.t(\n \"settings\",\n \"This app has no maximum Nextcloud version assigned. This will be an error in the future.\"\n )\n )\n )\n ])\n : _vm._e(),\n _vm._v(\" \"),\n !_vm.app.canInstall\n ? _c(\"li\", [\n _vm._v(\n \"\\n\\t\\t\\t\" +\n _vm._s(\n _vm.t(\n \"settings\",\n \"This app cannot be installed because the following dependencies are not fulfilled:\"\n )\n ) +\n \"\\n\\t\\t\\t\"\n ),\n _c(\n \"ul\",\n { staticClass: \"missing-dependencies\" },\n _vm._l(_vm.app.missingDependencies, function(dep) {\n return _c(\"li\", [_vm._v(_vm._s(dep))])\n })\n )\n ])\n : _vm._e()\n ]),\n _vm._v(\" \"),\n _c(\"div\", {\n staticClass: \"app-description\",\n domProps: { innerHTML: _vm._s(_vm.renderMarkdown) }\n })\n ]\n )\n}\nvar staticRenderFns = []\nrender._withStripped = true\n\nexport { render, staticRenderFns }","\n\n\n\n\n","import mod from \"-!../../node_modules/babel-loader/lib/index.js!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./appDetails.vue?vue&type=script&lang=js&\"; export default mod; export * from \"-!../../node_modules/babel-loader/lib/index.js!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./appDetails.vue?vue&type=script&lang=js&\"","import { render, staticRenderFns } from \"./appDetails.vue?vue&type=template&id=273c8e71&\"\nimport script from \"./appDetails.vue?vue&type=script&lang=js&\"\nexport * from \"./appDetails.vue?vue&type=script&lang=js&\"\n\n\n/* normalize component */\nimport normalizer from \"!../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\n/* hot reload */\nif (module.hot) {\n var api = require(\"/home/roeland/nc/server/settings/node_modules/vue-hot-reload-api/dist/index.js\")\n api.install(require('vue'))\n if (api.compatible) {\n module.hot.accept()\n if (!module.hot.data) {\n api.createRecord('273c8e71', component.options)\n } else {\n api.reload('273c8e71', component.options)\n }\n module.hot.accept(\"./appDetails.vue?vue&type=template&id=273c8e71&\", function () {\n api.rerender('273c8e71', {\n render: render,\n staticRenderFns: staticRenderFns\n })\n })\n }\n}\ncomponent.options.__file = \"src/components/appDetails.vue\"\nexport default component.exports","\n\n\n\n\n\n","import mod from \"-!../../node_modules/babel-loader/lib/index.js!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Apps.vue?vue&type=script&lang=js&\"; export default mod; export * from \"-!../../node_modules/babel-loader/lib/index.js!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Apps.vue?vue&type=script&lang=js&\"","import { render, staticRenderFns } from \"./Apps.vue?vue&type=template&id=33a216a8&\"\nimport script from \"./Apps.vue?vue&type=script&lang=js&\"\nexport * from \"./Apps.vue?vue&type=script&lang=js&\"\n\n\n/* normalize component */\nimport normalizer from \"!../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\n/* hot reload */\nif (module.hot) {\n var api = require(\"/home/roeland/nc/server/settings/node_modules/vue-hot-reload-api/dist/index.js\")\n api.install(require('vue'))\n if (api.compatible) {\n module.hot.accept()\n if (!module.hot.data) {\n api.createRecord('33a216a8', component.options)\n } else {\n api.reload('33a216a8', component.options)\n }\n module.hot.accept(\"./Apps.vue?vue&type=template&id=33a216a8&\", function () {\n api.rerender('33a216a8', {\n render: render,\n staticRenderFns: staticRenderFns\n })\n })\n }\n}\ncomponent.options.__file = \"src/views/Apps.vue\"\nexport default component.exports"],"sourceRoot":""} \ No newline at end of file +{"version":3,"sources":["webpack:///./src/views/Apps.vue?550c","webpack:///./src/components/appList.vue?307d","webpack:///./src/components/appList/appItem.vue?c8e3","webpack:///./src/components/appList/appScore.vue?bca6","webpack:///src/components/appList/appScore.vue","webpack:///./src/components/appList/appScore.vue?e4bc","webpack:///./src/components/appList/appScore.vue","webpack:///./src/components/appManagement.vue?dab8","webpack:///src/components/appManagement.vue","webpack:///./src/components/appManagement.vue","webpack:///./src/components/svgFilterMixin.vue?5e67","webpack:///src/components/svgFilterMixin.vue","webpack:///./src/components/svgFilterMixin.vue","webpack:///./src/components/appList/appItem.vue?ad16","webpack:///src/components/appList/appItem.vue","webpack:///./src/components/appList/appItem.vue","webpack:///./src/components/prefixMixin.vue?62b8","webpack:///src/components/prefixMixin.vue","webpack:///./src/components/prefixMixin.vue","webpack:///./src/components/appList.vue?0ded","webpack:///src/components/appList.vue","webpack:///./src/components/appList.vue","webpack:///./src/components/appDetails.vue?649c","webpack:///src/components/appDetails.vue","webpack:///./src/components/appDetails.vue?d168","webpack:///./src/components/appDetails.vue","webpack:///src/views/Apps.vue","webpack:///./src/views/Apps.vue?f9ed","webpack:///./src/views/Apps.vue"],"names":["render","_vm","this","_h","$createElement","_c","_self","staticClass","class","with-app-sidebar","currentApp","attrs","id","menu","_v","icon-loading","loadingList","category","app","search","searchQuery","_e","_withStripped","appListvue_type_template_id_a1862e02_render","installed","useBundleView","useListView","store","useAppStoreView","name","tag","_l","apps","key","bundles","bundle","bundleApps","length","_s","type","value","bundleToggleText","on","click","$event","toggleBundle","list-view","searchApps","colspan","t","loading","appItemvue_type_template_id_1c68d544_render","selected","isSelected","showAppDetails","listView","preview","screenshot","width","height","viewBox","filterId","in","values","x","y","preserveAspectRatio","filter","filterUrl","xlink:href","src","summary","version","appstoreData","releases","level","directives","rawName","expression","modifiers","auto","score","error","update","disabled","installing","stopPropagation","canUnInstall","remove","active","disable","enableButtonTooltip","enableButtonText","canInstall","enable","appScorevue_type_template_id_71d71231_render","scoreImage","appList_appScorevue_type_script_lang_js_","props","computed","imageName","Math","round","OC","imagePath","component","Object","componentNormalizer","options","__file","appScore","components_appManagementvue_type_script_lang_js_","mounted","groups","groupCheckedAppsData","appGroups","map","group","self","$store","getters","needsDownload","methods","asyncFindGroup","query","dispatch","limit","offset","isLimitedToGroups","setGroupLimit","appId","canLimitToGroups","types","includes","addGroupLimitation","concat","removeGroupLimitation","currentGroups","index","indexOf","splice","then","response","Settings","Apps","rebuildNavigation","catch","Notification","show","install","appManagement_component","appManagement_render","appManagement_staticRenderFns","appManagement","components_svgFilterMixinvue_type_script_lang_js_","floor","random","Date","getSeconds","getMilliseconds","data","svgFilterMixin_component","svgFilterMixin_render","svgFilterMixin_staticRenderFns","svgFilterMixin","appList_appItemvue_type_script_lang_js_","mixins","Boolean","default","watch","$route.params.id","components","Multiselect","vue_multiselect_min_default","a","AppScore","scrolled","$route","params","watchers","event","currentTarget","tagName","$router","push","prefix","_prefix","content","appItem_component","appItem","components_prefixMixinvue_type_script_lang_js_","prefixMixin_component","prefixMixin_render","prefixMixin_staticRenderFns","prefixMixin","components_appListvue_type_script_lang_js_","_this","getAllApps","toLowerCase","sort","b","sortStringA","sortStringB","Util","naturalSortCompare","appstore","undefined","getServerData","bundleId","_this2","find","_app","allBundlesEnabled","disableBundle","enableBundle","console","log","appList_component","appList","appDetailsvue_type_template_id_273c8e71_render","staticStyle","padding","href","hideAppDetails","previewAsIcon","hasRating","ratingOverall","author","licence","domProps","checked","Array","isArray","_i","change","$$a","$$el","target","$$c","$$v","$$i","slice","for","title","options-limit","placeholder","label","track-by","multiple","close-on-select","select","search-change","slot","internal","appstoreUrl","rel","website","bugs","documentation","user","admin","developer","missingMinOwnCloudVersion","missingMaxOwnCloudVersion","missingDependencies","dep","innerHTML","renderMarkdown","components_appDetailsvue_type_script_lang_js_","license","toUpperCase","ratingNumOverall","@value","getGroups","localeCompare","renderer","window","marked","Renderer","link","text","prot","decodeURIComponent","unescape","replace","e","out","image","blockquote","quote","DOMPurify","sanitize","description","trim","gfm","highlight","tables","breaks","pedantic","smartLists","smartypants","SAFE_FOR_JQUERY","ALLOWED_TAGS","appDetails_component","appDetails","vue_esm","use","vue_local_storage_default","views_Appsvue_type_script_lang_js_","String","AppDetails","AppNavigation","ncvuecomponents","setSearch","resetSearch","beforeMount","commit","updateCount","appSearch","OCA","Search","val","old","categories","getCategories","getUpdateCount","settings","item","ident","icon","classes","router","displayName","defaultCategories","appstoreEnabled","items","utils","counter","activeGroup","findIndex","developerDocumentation","Apps_component","__webpack_exports__"],"mappings":"iGAAA,IAAAA,EAAA,WACA,IAAAC,EAAAC,KACAC,EAAAF,EAAAG,eACAC,EAAAJ,EAAAK,MAAAD,IAAAF,EACA,OAAAE,EACA,OAEAE,YAAA,eACAC,OAAcC,mBAAAR,EAAAS,YACdC,OAAcC,GAAA,aAGdP,EAAA,kBAA4BM,OAASE,KAAAZ,EAAAY,QACrCZ,EAAAa,GAAA,KACAT,EACA,OAEAE,YAAA,uBACAC,OAAkBO,eAAAd,EAAAe,aAClBL,OAAkBC,GAAA,iBAGlBP,EAAA,YACAM,OACAM,SAAAhB,EAAAgB,SACAC,IAAAjB,EAAAS,WACAS,OAAAlB,EAAAmB,gBAIA,GAEAnB,EAAAa,GAAA,KACAb,EAAAW,IAAAX,EAAAS,WACAL,EACA,OACaM,OAASC,GAAA,iBAEtBP,EAAA,eACAM,OAAwBM,SAAAhB,EAAAgB,SAAAC,IAAAjB,EAAAS,eAGxB,GAEAT,EAAAoB,MAEA,IAIArB,EAAAsB,eAAA,eClDIC,EAAM,WACV,IAAAtB,EAAAC,KACAC,EAAAF,EAAAG,eACAC,EAAAJ,EAAAK,MAAAD,IAAAF,EACA,OAAAE,EAAA,OAAoBM,OAASC,GAAA,uBAC7BP,EACA,OAEAE,YAAA,YACAC,OACAgB,UAAAvB,EAAAwB,eAAAxB,EAAAyB,YACAC,MAAA1B,EAAA2B,iBAEAjB,OAAgBC,GAAA,eAGhBX,EAAAyB,aAEArB,EACA,oBAEAE,YAAA,sBACAI,OAA0BkB,KAAA,WAAAC,IAAA,QAE1B7B,EAAA8B,GAAA9B,EAAA+B,KAAA,SAAAd,GACA,OAAAb,EAAA,YACA4B,IAAAf,EAAAN,GACAD,OAA4BO,MAAAD,SAAAhB,EAAAgB,gBAK5BhB,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAA8B,GAAA9B,EAAAiC,QAAA,SAAAC,GACA,OAAAlC,EAAAwB,eAAAxB,EAAAmC,WAAAD,EAAAvB,IAAAyB,OAAA,GAEAhC,EACA,oBAEAE,YAAA,sBACAI,OAA4BkB,KAAA,WAAAC,IAAA,SAG5BzB,EAAA,OAA+B4B,IAAAE,EAAAvB,GAAAL,YAAA,gBAC/BF,EAAA,OAAiCE,YAAA,cACjCN,EAAAa,GAAA,KACAT,EAAA,MACAJ,EAAAa,GAAAb,EAAAqC,GAAAH,EAAAN,MAAA,KACAxB,EAAA,SACAM,OACA4B,KAAA,SACAC,MAAAvC,EAAAwC,iBAAAN,EAAAvB,KAEA8B,IACAC,MAAA,SAAAC,GACA3C,EAAA4C,aAAAV,EAAAvB,UAKAX,EAAAa,GAAA,KACAT,EAAA,OAAiCE,YAAA,gBACjCN,EAAAa,GAAA,KACAT,EAAA,OAAiCE,YAAA,cACjCN,EAAAa,GAAA,KACAT,EAAA,OAAiCE,YAAA,eACjCN,EAAAa,GAAA,KACAT,EAAA,OAAiCE,YAAA,YAAyBN,EAAAa,GAAA,SAE1Db,EAAAa,GAAA,KACAb,EAAA8B,GAAA9B,EAAAmC,WAAAD,EAAAvB,IAAA,SAAAM,GACA,OAAAb,EAAA,YACA4B,IAAAE,EAAAvB,GAAAM,EAAAN,GACAD,OAAgCO,MAAAD,SAAAhB,EAAAgB,eAIhC,IAGAhB,EAAAoB,OAEApB,EAAAa,GAAA,KACAb,EAAA2B,gBACA3B,EAAA8B,GAAA9B,EAAA+B,KAAA,SAAAd,GACA,OAAAb,EAAA,YACA4B,IAAAf,EAAAN,GACAD,OAAwBO,MAAAD,SAAAhB,EAAAgB,SAAA6B,aAAA,OAGxB7C,EAAAoB,MAEA,GAEApB,EAAAa,GAAA,KACAT,EACA,OACOE,YAAA,sBAAAI,OAA6CC,GAAA,sBAEpDP,EACA,OACWE,YAAA,wBAEX,KAAAN,EAAAkB,QAAAlB,EAAA8C,WAAAV,OAAA,GAEAhC,EAAA,OAA6BE,YAAA,YAC7BF,EAAA,OACAJ,EAAAa,GAAA,KACAT,EAAA,MAA8BM,OAASqC,QAAA,OACvC3C,EAAA,MACAJ,EAAAa,GACAb,EAAAqC,GACArC,EAAAgD,EAAA,oDAMAhD,EAAAa,GAAA,KACAb,EAAA8B,GAAA9B,EAAA8C,WAAA,SAAA7B,GACA,OAAAb,EAAA,YACA4B,IAAAf,EAAAN,GACAD,OACAO,MACAD,SAAAhB,EAAAgB,SACA6B,aAAA,QAKA7C,EAAAoB,MAEA,KAIApB,EAAAa,GAAA,KACAb,EAAAiD,SAAA,IAAAjD,EAAA8C,WAAAV,QAAA,IAAApC,EAAA+B,KAAAK,OAoBApC,EAAAoB,KAnBAhB,EACA,OAEAE,YAAA,mCACAI,OAAoBC,GAAA,qBAGpBP,EAAA,OACAE,YAAA,qBACAI,OAAsBC,GAAA,yBAEtBX,EAAAa,GAAA,KACAT,EAAA,MACAJ,EAAAa,GACAb,EAAAqC,GAAArC,EAAAgD,EAAA,mDAMAhD,EAAAa,GAAA,KACAT,EAAA,OAAeM,OAASC,GAAA,sBAIxBW,EAAMD,eAAA,ECpKN,IAAI6B,EAAM,WACV,IAAAlD,EAAAC,KACAC,EAAAF,EAAAG,eACAC,EAAAJ,EAAAK,MAAAD,IAAAF,EACA,OAAAE,EACA,OAEAE,YAAA,UACAC,OAAc4C,SAAAnD,EAAAoD,YACdX,IAAWC,MAAA1C,EAAAqD,kBAGXjD,EACA,OAEAE,YAAA,2BACAmC,IAAeC,MAAA1C,EAAAqD,kBAGfrD,EAAAsD,WAAAtD,EAAAiB,IAAAsC,UACAvD,EAAAsD,WAAAtD,EAAAiB,IAAAuC,WACApD,EAAA,OAAyBE,YAAA,uBACzBN,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAsD,UAAAtD,EAAAiB,IAAAsC,QACAnD,EACA,OACiBM,OAAS+C,MAAA,KAAAC,OAAA,KAAAC,QAAA,eAE1BvD,EAAA,QACAA,EACA,UACuBM,OAASC,GAAAX,EAAA4D,YAEhCxD,EAAA,iBACAM,OACAmD,GAAA,gBACAvB,KAAA,SACAwB,OAAA,iDAIA,KAGA9D,EAAAa,GAAA,KACAT,EAAA,SACAE,YAAA,WACAI,OACAqD,EAAA,IACAC,EAAA,IACAP,MAAA,KACAC,OAAA,KACAO,oBAAA,gBACAC,OAAAlE,EAAAmE,UACAC,aAAApE,EAAAiB,IAAAsC,aAKAvD,EAAAoB,KACApB,EAAAa,GAAA,MACAb,EAAAsD,UAAAtD,EAAAiB,IAAAuC,WACApD,EAAA,OAAyBM,OAAS2D,IAAArE,EAAAiB,IAAAuC,WAAAC,MAAA,UAClCzD,EAAAoB,OAGApB,EAAAa,GAAA,KACAT,EACA,OACSE,YAAA,WAAAmC,IAA+BC,MAAA1C,EAAAqD,kBACxCrD,EAAAa,GAAA,SAAAb,EAAAqC,GAAArC,EAAAiB,IAAAW,MAAA,UAEA5B,EAAAa,GAAA,KACAb,EAAAsD,SAIAtD,EAAAoB,KAHAhB,EAAA,OAAqBE,YAAA,gBACrBN,EAAAa,GAAAb,EAAAqC,GAAArC,EAAAiB,IAAAqD,YAGAtE,EAAAa,GAAA,KACAb,EAAAsD,SACAlD,EAAA,OAAqBE,YAAA,gBACrBN,EAAAiB,IAAAsD,QACAnE,EAAA,QAAAJ,EAAAa,GAAAb,EAAAqC,GAAArC,EAAAiB,IAAAsD,YACAvE,EAAAiB,IAAAuD,aAAAC,SAAA,GAAAF,QACAnE,EAAA,QACAJ,EAAAa,GAAAb,EAAAqC,GAAArC,EAAAiB,IAAAuD,aAAAC,SAAA,GAAAF,YAEAvE,EAAAoB,OAEApB,EAAAoB,KACApB,EAAAa,GAAA,KACAT,EACA,OACSE,YAAA,cAET,MAAAN,EAAAiB,IAAAyD,MACAtE,EACA,QAEAuE,aAEA/C,KAAA,UACAgD,QAAA,iBACArC,MAAAvC,EAAAgD,EACA,WACA,+HAEA6B,WACA,+IACAC,WAAkCC,MAAA,KAGlCzE,YAAA,4BAEAN,EAAAa,GAAA,WAAAb,EAAAqC,GAAArC,EAAAgD,EAAA,2BAEAhD,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAsD,SAEAtD,EAAAoB,KADAhB,EAAA,aAA+BM,OAASsE,MAAAhF,EAAAiB,IAAA+D,UAGxC,GAEAhF,EAAAa,GAAA,KACAT,EAAA,OAAiBE,YAAA,YACjBN,EAAAiB,IAAAgE,MACA7E,EAAA,OAAuBE,YAAA,YACvBN,EAAAa,GAAAb,EAAAqC,GAAArC,EAAAiB,IAAAgE,UAEAjF,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAiD,QAAAjD,EAAAiB,IAAAN,IACAP,EAAA,OAAuBE,YAAA,4BACvBN,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAiB,IAAAiE,OACA9E,EAAA,SACAE,YAAA,SACAI,OACA4B,KAAA,SACAC,MAAAvC,EAAAgD,EAAA,iCACAkC,OAAAlF,EAAAiB,IAAAiE,SAEAC,SAAAnF,EAAAoF,YAAApF,EAAAiD,QAAAjD,EAAAiB,IAAAN,KAEA8B,IACAC,MAAA,SAAAC,GACAA,EAAA0C,kBACArF,EAAAkF,OAAAlF,EAAAiB,IAAAN,QAIAX,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAiB,IAAAqE,aACAlF,EAAA,SACAE,YAAA,YACAI,OACA4B,KAAA,SACAC,MAAAvC,EAAAgD,EAAA,qBACAmC,SAAAnF,EAAAoF,YAAApF,EAAAiD,QAAAjD,EAAAiB,IAAAN,KAEA8B,IACAC,MAAA,SAAAC,GACAA,EAAA0C,kBACArF,EAAAuF,OAAAvF,EAAAiB,IAAAN,QAIAX,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAiB,IAAAuE,OACApF,EAAA,SACAE,YAAA,SACAI,OACA4B,KAAA,SACAC,MAAAvC,EAAAgD,EAAA,sBACAmC,SAAAnF,EAAAoF,YAAApF,EAAAiD,QAAAjD,EAAAiB,IAAAN,KAEA8B,IACAC,MAAA,SAAAC,GACAA,EAAA0C,kBACArF,EAAAyF,QAAAzF,EAAAiB,IAAAN,QAIAX,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAiB,IAAAuE,OA2BAxF,EAAAoB,KA1BAhB,EAAA,SACAuE,aAEA/C,KAAA,UACAgD,QAAA,iBACArC,MAAAvC,EAAA0F,oBACAb,WAAA,sBACAC,WAA8BC,MAAA,KAG9BzE,YAAA,SACAI,OACA4B,KAAA,SACAC,MAAAvC,EAAA2F,iBACAR,UACAnF,EAAAiB,IAAA2E,YACA5F,EAAAoF,YACApF,EAAAiD,QAAAjD,EAAAiB,IAAAN,KAEA8B,IACAC,MAAA,SAAAC,GACAA,EAAA0C,kBACArF,EAAA6F,OAAA7F,EAAAiB,IAAAN,aAUAuC,EAAM7B,eAAA,wBC/NFyE,EAAM,WACV,IACA5F,EADAD,KACAE,eAEA,OAHAF,KAEAI,MAAAD,IAAAF,GACA,OACAI,YAAA,kBACAI,OAAY2D,IALZpE,KAKY8F,eAIZD,EAAMzE,eAAA,ECgBN,IC1B8L2E,GD2B9LpE,KAAA,WACAqE,OAAA,SACAC,UACAH,WADA,WAEA,IACAI,EAAA,WADAC,KAAAC,MAAA,GAAApG,KAAA+E,OACA,OACA,OAAAsB,GAAAC,UAAA,OAAAJ,cE1BAK,EAAgBC,OAAAC,EAAA,EAAAD,CACdT,EACAF,MAEF,EACA,KACA,KACA,MAuBAU,EAAAG,QAAAC,OAAA,sCACe,IAAAC,EAAAL,UCtC8KM,GCwB7LC,QADA,WAEA9G,KAAAgB,IAAA+F,OAAA5E,OAAA,IACAnC,KAAAgH,sBAAA,IAGAf,UACAgB,UADA,WAEA,OAAAjH,KAAAgB,IAAA+F,OAAAG,IAAA,SAAAC,GAAA,OAAAzG,GAAAyG,EAAAxF,KAAAwF,MAEAnE,QAJA,WAKA,IAAAoE,EAAApH,KACA,gBAAAU,GACA,OAAA0G,EAAAC,OAAAC,QAAAtE,QAAAtC,KAGAyE,WAVA,WAWA,OAAAnF,KAAAqH,OAAAC,QAAAtE,QAAA,YAEA0C,iBAbA,WAcA,OAAA1F,KAAAgB,IAAAuG,cACAxE,EAAA,kCAEAA,EAAA,sBAEA0C,oBAnBA,WAoBA,QAAAzF,KAAAgB,IAAAuG,eACAxE,EAAA,8DAKAyE,SACAC,eADA,SACAC,GACA,OAAA1H,KAAAqH,OAAAM,SAAA,aAAA1G,OAAAyG,EAAAE,MAAA,EAAAC,OAAA,KAEAC,kBAJA,SAIA9G,GACA,SAAAhB,KAAAgB,IAAA+F,OAAA5E,SAAAnC,KAAAgH,uBAKAe,cAAA,WACA/H,KAAAgH,sBACAhH,KAAAqH,OAAAM,SAAA,aAAAK,MAAAhI,KAAAgB,IAAAN,GAAAqG,aAGAkB,iBAfA,SAeAjH,GACA,QAAAA,EAAAkH,OAAAlH,EAAAkH,MAAAC,SAAA,eACAnH,EAAAkH,MAAAC,SAAA,aACAnH,EAAAkH,MAAAC,SAAA,mBACAnH,EAAAkH,MAAAC,SAAA,YACAnH,EAAAkH,MAAAC,SAAA,+BAKAC,mBAzBA,SAyBAjB,GACA,IAAAJ,EAAA/G,KAAAgB,IAAA+F,OAAAsB,mBAAAlB,EAAAzG,KACAV,KAAAqH,OAAAM,SAAA,aAAAK,MAAAhI,KAAAgB,IAAAN,GAAAqG,YAEAuB,sBA7BA,SA6BAnB,GACA,IAAAoB,EAAAvI,KAAAgB,IAAA+F,OAAAsB,WACAG,EAAAD,EAAAE,QAAAtB,EAAAzG,IACA8H,GAAA,GACAD,EAAAG,OAAAF,EAAA,GAEAxI,KAAAqH,OAAAM,SAAA,aAAAK,MAAAhI,KAAAgB,IAAAN,GAAAqG,OAAAwB,KAEA3C,OArCA,SAqCAoC,GACAhI,KAAAqH,OAAAM,SAAA,aAAAK,QAAAjB,YACA4B,KAAA,SAAAC,GAAAvC,GAAAwC,SAAAC,KAAAC,sBACAC,MAAA,SAAAhE,GAAAqB,GAAA4C,aAAAC,KAAAlE,MAEAQ,QA1CA,SA0CAwC,GACAhI,KAAAqH,OAAAM,SAAA,cAAAK,UACAW,KAAA,SAAAC,GAAAvC,GAAAwC,SAAAC,KAAAC,sBACAC,MAAA,SAAAhE,GAAAqB,GAAA4C,aAAAC,KAAAlE,MAEAM,OA/CA,SA+CA0C,GACAhI,KAAAqH,OAAAM,SAAA,gBAAAK,UACAW,KAAA,SAAAC,GAAAvC,GAAAwC,SAAAC,KAAAC,sBACAC,MAAA,SAAAhE,GAAAqB,GAAA4C,aAAAC,KAAAlE,MAEAmE,QApDA,SAoDAnB,GACAhI,KAAAqH,OAAAM,SAAA,aAAAK,UACAW,KAAA,SAAAC,GAAAvC,GAAAwC,SAAAC,KAAAC,sBACAC,MAAA,SAAAhE,GAAAqB,GAAA4C,aAAAC,KAAAlE,MAEAC,OAzDA,SAyDA+C,GACAhI,KAAAqH,OAAAM,SAAA,aAAAK,UACAW,KAAA,SAAAC,GAAAvC,GAAAwC,SAAAC,KAAAC,sBACAC,MAAA,SAAAhE,GAAAqB,GAAA4C,aAAAC,KAAAlE,QC5GIoE,EAAY5C,OAAAC,EAAA,EAAAD,CACdK,OAREwC,OAAQC,GAWZ,EACA,KACA,KACA,MAkBAF,EAAS1C,QAAAC,OAAA,mCACM,IAAA4C,EAAAH,UCjC+KI,GCwB9L7H,KAAA,iBACAmF,QAFA,WAGA9G,KAAA2D,SAAA,iBAAAwC,KAAAsD,MAAA,IAAAtD,KAAAuD,WAAA,IAAAC,MAAAC,cAAA,IAAAD,MAAAE,mBAEA5D,UACA/B,UADA,WAEA,cAAAmE,OAAArI,KAAA2D,SAAA,OAGAmG,KAVA,WAWA,OACAnG,SAAA,MC5BIoG,EAAYvD,OAAAC,EAAA,EAAAD,CACdgD,OAREQ,OAAQC,GAWZ,EACA,KACA,KACA,MAkBAF,EAASrD,QAAAC,OAAA,oCACM,IAAAuD,EAAAH,UCjC8KI,GCoE7LxI,KAAA,UACAyI,QAAAb,EAAAW,GACAlE,OACAhF,OACAD,YACAsC,UACAhB,KAAAgI,QACAC,SAAA,IAGAC,OACAC,mBAAA,SAAA9J,GACAV,KAAAmD,WAAAnD,KAAAgB,IAAAN,SAGA+J,YACAC,YAAAC,EAAAC,EACAC,SAAAjE,GAEAkD,KApBA,WAqBA,OACA3G,YAAA,EACA2H,UAAA,IAGAhE,QA1BA,WA2BA9G,KAAAmD,WAAAnD,KAAAgB,IAAAN,KAAAV,KAAA+K,OAAAC,OAAAtK,IAEAuF,YAGAgF,YAGAzD,SACApE,eADA,SACA8H,GACA,UAAAA,EAAAC,cAAAC,SAAA,MAAAF,EAAAC,cAAAC,SAGApL,KAAAqL,QAAAC,MACA3J,KAAA,eACAqJ,QAAAjK,SAAAf,KAAAe,SAAAL,GAAAV,KAAAgB,IAAAN,OAGA6K,OAVA,SAUAC,EAAAC,GACA,OAAAD,EAAA,IAAAC,KC1GIC,EAAYlF,OAAAC,EAAA,EAAAD,CACd2D,EACAlH,MAEF,EACA,KACA,KACA,MAuBAyI,EAAShF,QAAAC,OAAA,qCACM,IAAAgF,EAAAD,UCtC4KE,GCwB3LjK,KAAA,cACA6F,SACA+D,OADA,SACAC,EAAAC,GACA,OAAAD,EAAA,IAAAC,KCpBII,EAAYrF,OAAAC,EAAA,EAAAD,CACdoF,OAREE,OAAQC,GAWZ,EACA,KACA,KACA,MAkBAF,EAASnF,QAAAC,OAAA,iCACM,IAAAqF,EAAAH,UCjCwKI,GC+EvLtK,KAAA,UACAyI,QAAA4B,GACAhG,OAAA,2BACAyE,YACAC,YAAAC,EAAAC,EACAe,WAEA1F,UACAjD,QADA,WAEA,OAAAhD,KAAAqH,OAAAC,QAAAtE,QAAA,SAEAlB,KAJA,WAIA,IAAAoK,EAAAlM,KACA8B,EAAA9B,KAAAqH,OAAAC,QAAA6E,WACAlI,OAAA,SAAAjD,GAAA,WAAAA,EAAAW,KAAAyK,cAAAnL,OAAAiL,EAAAjL,OAAAmL,iBACAC,KAAA,SAAAzB,EAAA0B,GACA,IAAAC,EAAA,IAAA3B,EAAArF,OAAA,MAAAqF,EAAA3F,OAAA,KAAA2F,EAAAjJ,KACA6K,EAAA,IAAAF,EAAA/G,OAAA,MAAA+G,EAAArH,OAAA,KAAAqH,EAAA3K,KACA,OAAA0E,GAAAoG,KAAAC,mBAAAH,EAAAC,KAGA,oBAAAxM,KAAAe,SACAe,EAAAmC,OAAA,SAAAjD,GAAA,OAAAA,EAAAM,YAEA,YAAAtB,KAAAe,SACAe,EAAAmC,OAAA,SAAAjD,GAAA,OAAAA,EAAAuE,QAAAvE,EAAAM,YAEA,aAAAtB,KAAAe,SACAe,EAAAmC,OAAA,SAAAjD,GAAA,OAAAA,EAAAuE,QAAAvE,EAAAM,YAEA,gBAAAtB,KAAAe,SACAe,EAAAmC,OAAA,SAAAjD,GAAA,OAAAA,EAAAgB,UAEA,YAAAhC,KAAAe,SACAe,EAAAmC,OAAA,SAAAjD,GAAA,OAAAA,EAAAiE,SAGAnD,EAAAmC,OAAA,SAAAjD,GACA,OAAAA,EAAA2L,eAAAC,IAAA5L,EAAAD,WACAC,EAAAD,WAAAmL,EAAAnL,UAAAC,EAAAD,SAAA0H,QAAAyD,EAAAnL,WAAA,MAGAiB,QAlCA,WAmCA,OAAAhC,KAAAqH,OAAAC,QAAAuF,cAAA7K,SAEAE,WArCA,WAsCA,gBAAAD,GACA,OAAAjC,KAAAqH,OAAAC,QAAA6E,WACAlI,OAAA,SAAAjD,GAAA,OAAAA,EAAA8L,WAAA7K,MAGAY,WA3CA,WA2CA,IAAAkK,EAAA/M,KACA,WAAAA,KAAAiB,UAGAjB,KAAAqH,OAAAC,QAAA6E,WACAlI,OAAA,SAAAjD,GACA,WAAAA,EAAAW,KAAAyK,cAAAnL,OAAA8L,EAAA9L,OAAAmL,iBACAW,EAAAjL,KAAAkL,KAAA,SAAAC,GAAA,OAAAA,EAAAvM,KAAAM,EAAAN,QAKAgB,gBAvDA,WAwDA,OAAA1B,KAAAwB,cAAAxB,KAAAuB,eAEAC,YA1DA,WA2DA,oBAAAxB,KAAAe,UAAA,YAAAf,KAAAe,UAAA,aAAAf,KAAAe,UAAA,YAAAf,KAAAe,UAEAQ,cA7DA,WA8DA,sBAAAvB,KAAAe,UAEAmM,kBAhEA,WAiEA,IAAA9F,EAAApH,KACA,gBAAAU,GACA,WAAA0G,EAAAlF,WAAAxB,GAAAuD,OAAA,SAAAjD,GAAA,OAAAA,EAAAuE,SAAApD,SAGAI,iBAtEA,WAuEA,IAAA6E,EAAApH,KACA,gBAAAU,GACA,OAAA0G,EAAA8F,kBAAAxM,GACAqC,EAAA,0BAEAA,EAAA,4BAIAyE,SACA7E,aADA,SACAjC,GACA,OAAAV,KAAAkN,kBAAAxM,GACAV,KAAAmN,cAAAzM,GAEAV,KAAAoN,aAAA1M,IAEA0M,aAPA,SAOA1M,GACA,IAAAoB,EAAA9B,KAAAkC,WAAAxB,GAAAwG,IAAA,SAAAlG,GAAA,OAAAA,EAAAN,KACAV,KAAAqH,OAAAM,SAAA,aAAAK,MAAAlG,EAAAiF,YACAiC,MAAA,SAAAhE,GAAAqI,QAAAC,IAAAtI,GAAAqB,GAAA4C,aAAAC,KAAAlE,MAEAmI,cAZA,SAYAzM,GACA,IAAAoB,EAAA9B,KAAAkC,WAAAxB,GAAAwG,IAAA,SAAAlG,GAAA,OAAAA,EAAAN,KACAV,KAAAqH,OAAAM,SAAA,cAAAK,MAAAlG,EAAAiF,YACAiC,MAAA,SAAAhE,GAAAqB,GAAA4C,aAAAC,KAAAlE,QC9KIuI,EAAY/G,OAAAC,EAAA,EAAAD,CACdyF,EACA5K,MAEF,EACA,KACA,KACA,MAuBAkM,EAAS7G,QAAAC,OAAA,6BACM,IAAA6G,EAAAD,mCCtCXE,QAAM,WACV,IAAA1N,EAAAC,KACAC,EAAAF,EAAAG,eACAC,EAAAJ,EAAAK,MAAAD,IAAAF,EACA,OAAAE,EACA,OACKuN,aAAeC,QAAA,QAAkBlN,OAAUC,GAAA,sBAEhDP,EACA,KAEAE,YAAA,mBACAI,OAAkBmN,KAAA,KAClBpL,IAAeC,MAAA1C,EAAA8N,kBAEf1N,EAAA,QAAqBE,YAAA,oBAAiCN,EAAAa,GAAA,aAEtDb,EAAAa,GAAA,KACAT,EAAA,MACAJ,EAAAiB,IAAAsC,QAEAvD,EAAAoB,KADAhB,EAAA,OAAuBE,YAAA,uBAEvBN,EAAAa,GAAA,KACAb,EAAAiB,IAAA8M,eAAA/N,EAAAiB,IAAAsC,QACAnD,EACA,OACeM,OAAS+C,MAAA,KAAAC,OAAA,KAAAC,QAAA,eAExBvD,EAAA,QACAA,EACA,UACqBM,OAASC,GAAAX,EAAA4D,YAE9BxD,EAAA,iBACAM,OACAmD,GAAA,gBACAvB,KAAA,SACAwB,OAAA,iDAIA,KAGA9D,EAAAa,GAAA,KACAT,EAAA,SACAE,YAAA,WACAI,OACAqD,EAAA,IACAC,EAAA,IACAP,MAAA,KACAC,OAAA,KACAO,oBAAA,gBACAC,OAAAlE,EAAAmE,UACAC,aAAApE,EAAAiB,IAAAsC,aAKAvD,EAAAoB,KACApB,EAAAa,GAAA,SAAAb,EAAAqC,GAAArC,EAAAiB,IAAAW,SAEA5B,EAAAa,GAAA,KACAb,EAAAiB,IAAAuC,WACApD,EAAA,OAAqBM,OAAS2D,IAAArE,EAAAiB,IAAAuC,WAAAC,MAAA,UAC9BzD,EAAAoB,KACApB,EAAAa,GAAA,KACA,MAAAb,EAAAiB,IAAAyD,OAAA1E,EAAAgO,UACA5N,EACA,OACaE,YAAA,cAEb,MAAAN,EAAAiB,IAAAyD,MACAtE,EACA,QAEAuE,aAEA/C,KAAA,UACAgD,QAAA,iBACArC,MAAAvC,EAAAgD,EACA,WACA,+HAEA6B,WACA,+IACAC,WAAsCC,MAAA,KAGtCzE,YAAA,4BAEAN,EAAAa,GAAA,WAAAb,EAAAqC,GAAArC,EAAAgD,EAAA,2BAEAhD,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAgO,UACA5N,EAAA,aACAM,OAA4BsE,MAAAhF,EAAAiB,IAAAuD,aAAAyJ,iBAE5BjO,EAAAoB,MAEA,GAEApB,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAkO,OACA9N,EACA,OACaE,YAAA,eAEbN,EAAAa,GAAA,SAAAb,EAAAqC,GAAArC,EAAAgD,EAAA,4BACAhD,EAAA8B,GAAA9B,EAAAkO,OAAA,SAAArD,EAAApC,GACA,OAAArI,EAAA,QACAyK,EAAA,gBAAAA,EAAA,wBACAzK,EACA,KACyBM,OAASmN,KAAAhD,EAAA,2BAClC7K,EAAAa,GAAAb,EAAAqC,GAAAwI,EAAA,cAEAA,EAAA,UACAzK,EAAA,QAAAJ,EAAAa,GAAAb,EAAAqC,GAAAwI,EAAA,cACAzK,EAAA,QAAAJ,EAAAa,GAAAb,EAAAqC,GAAAwI,MACApC,EAAA,EAAAzI,EAAAkO,OAAA9L,OACAhC,EAAA,QAAAJ,EAAAa,GAAA,QACAb,EAAAoB,UAIA,GAEApB,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAmO,QACA/N,EAAA,OAAqBE,YAAA,gBACrBN,EAAAa,GAAAb,EAAAqC,GAAArC,EAAAmO,YAEAnO,EAAAoB,KACApB,EAAAa,GAAA,KACAT,EAAA,OAAiBE,YAAA,YACjBF,EAAA,OAAmBE,YAAA,oBACnBN,EAAAiB,IAAAiE,OACA9E,EAAA,SACAE,YAAA,SACAI,OACA4B,KAAA,SACAC,MAAAvC,EAAAgD,EAAA,kCACAuB,QAAAvE,EAAAiB,IAAAiE,SAEAC,SAAAnF,EAAAoF,YAAApF,EAAAiD,QAAAjD,EAAAiB,IAAAN,OAGAX,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAiB,IAAAqE,aACAlF,EAAA,SACAE,YAAA,YACAI,OACA4B,KAAA,SACAC,MAAAvC,EAAAgD,EAAA,qBACAmC,SAAAnF,EAAAoF,YAAApF,EAAAiD,QAAAjD,EAAAiB,IAAAN,KAEA8B,IACAC,MAAA,SAAAC,GACA3C,EAAAuF,OAAAvF,EAAAiB,IAAAN,QAIAX,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAiB,IAAAuE,OACApF,EAAA,SACAE,YAAA,SACAI,OACA4B,KAAA,SACAC,MAAAvC,EAAAgD,EAAA,sBACAmC,SAAAnF,EAAAoF,YAAApF,EAAAiD,QAAAjD,EAAAiB,IAAAN,KAEA8B,IACAC,MAAA,SAAAC,GACA3C,EAAAyF,QAAAzF,EAAAiB,IAAAN,QAIAX,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAiB,IAAAuE,OA0BAxF,EAAAoB,KAzBAhB,EAAA,SACAuE,aAEA/C,KAAA,UACAgD,QAAA,iBACArC,MAAAvC,EAAA0F,oBACAb,WAAA,sBACAC,WAAgCC,MAAA,KAGhCzE,YAAA,SACAI,OACA4B,KAAA,SACAC,MAAAvC,EAAA2F,iBACAR,UACAnF,EAAAiB,IAAA2E,YACA5F,EAAAoF,YACApF,EAAAiD,QAAAjD,EAAAiB,IAAAN,KAEA8B,IACAC,MAAA,SAAAC,GACA3C,EAAA6F,OAAA7F,EAAAiB,IAAAN,UAMAX,EAAAa,GAAA,KACAT,EAAA,OAAmBE,YAAA,eACnBN,EAAAiB,IAAAuE,QAAAxF,EAAAkI,iBAAAlI,EAAAiB,KACAb,EACA,OACiBE,YAAA,kBAEjBF,EAAA,SACAuE,aAEA/C,KAAA,QACAgD,QAAA,UACArC,MAAAvC,EAAAiH,qBACApC,WAAA,yBAGAvE,YAAA,mCACAI,OACA4B,KAAA,WACA3B,GAAAX,EAAAwL,OAAA,gBAAAxL,EAAAiB,IAAAN,KAEAyN,UACA7L,MAAAvC,EAAAiB,IAAAN,GACA0N,QAAAC,MAAAC,QAAAvO,EAAAiH,sBACAjH,EAAAwO,GAAAxO,EAAAiH,qBAAAjH,EAAAiB,IAAAN,KAAA,EACAX,EAAAiH,sBAEAxE,IACAgM,QACA,SAAA9L,GACA,IAAA+L,EAAA1O,EAAAiH,qBACA0H,EAAAhM,EAAAiM,OACAC,IAAAF,EAAAN,QACA,GAAAC,MAAAC,QAAAG,GAAA,CACA,IAAAI,EAAA9O,EAAAiB,IAAAN,GACAoO,EAAA/O,EAAAwO,GAAAE,EAAAI,GACAH,EAAAN,QACAU,EAAA,IACA/O,EAAAiH,qBAAAyH,EAAApG,QAAAwG,KAEAC,GAAA,IACA/O,EAAAiH,qBAAAyH,EACAM,MAAA,EAAAD,GACAzG,OAAAoG,EAAAM,MAAAD,EAAA,UAGA/O,EAAAiH,qBAAA4H,GAGA7O,EAAAgI,kBAIAhI,EAAAa,GAAA,KACAT,EACA,SACqBM,OAASuO,IAAAjP,EAAAwL,OAAA,gBAAAxL,EAAAiB,IAAAN,OAC9BX,EAAAa,GAAAb,EAAAqC,GAAArC,EAAAgD,EAAA,kCAEAhD,EAAAa,GAAA,KACAT,EAAA,SACAE,YAAA,eACAI,OACA4B,KAAA,SACA4M,MAAAlP,EAAAgD,EAAA,kBACAT,MAAA,MAGAvC,EAAAa,GAAA,KACAb,EAAA+H,kBAAA/H,EAAAiB,KACAb,EACA,eAEAE,YAAA,kBACAI,OACAiG,QAAA3G,EAAAgH,OACAzE,MAAAvC,EAAAkH,UACAiI,gBAAA,EACAC,YAAApP,EAAAgD,EACA,WACA,6BAEAqM,MAAA,OACAC,WAAA,KACAC,UAAA,EACAC,mBAAA,GAEA/M,IACAgN,OAAAzP,EAAAqI,mBACA9C,OAAAvF,EAAAuI,sBACAmH,gBAAA1P,EAAA0H,kBAIAtH,EACA,QAC6BM,OAASiP,KAAA,YAAmBA,KAAA,aACzD3P,EAAAa,GAAAb,EAAAqC,GAAArC,EAAAgD,EAAA,+BAIAhD,EAAAoB,MAEA,GAEApB,EAAAoB,SAGApB,EAAAa,GAAA,KACAT,EAAA,KAAeE,YAAA,kBACfN,EAAAiB,IAAA2O,SAaA5P,EAAAoB,KAZAhB,EACA,KAEAE,YAAA,WACAI,OACAmN,KAAA7N,EAAA6P,YACAjB,OAAA,SACAkB,IAAA,yBAGA9P,EAAAa,GAAAb,EAAAqC,GAAArC,EAAAgD,EAAA,qCAGAhD,EAAAa,GAAA,KACAb,EAAAiB,IAAA8O,QACA3P,EACA,KAEAE,YAAA,WACAI,OACAmN,KAAA7N,EAAAiB,IAAA8O,QACAnB,OAAA,SACAkB,IAAA,yBAGA9P,EAAAa,GAAAb,EAAAqC,GAAArC,EAAAgD,EAAA,qCAEAhD,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAiB,IAAA+O,KACA5P,EACA,KAEAE,YAAA,WACAI,OACAmN,KAAA7N,EAAAiB,IAAA+O,KACApB,OAAA,SACAkB,IAAA,yBAGA9P,EAAAa,GAAAb,EAAAqC,GAAArC,EAAAgD,EAAA,oCAEAhD,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAiB,IAAAgP,eAAAjQ,EAAAiB,IAAAgP,cAAAC,KACA9P,EACA,KAEAE,YAAA,WACAI,OACAmN,KAAA7N,EAAAiB,IAAAgP,cAAAC,KACAtB,OAAA,SACAkB,IAAA,yBAGA9P,EAAAa,GAAAb,EAAAqC,GAAArC,EAAAgD,EAAA,0CAEAhD,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAiB,IAAAgP,eAAAjQ,EAAAiB,IAAAgP,cAAAE,MACA/P,EACA,KAEAE,YAAA,WACAI,OACAmN,KAAA7N,EAAAiB,IAAAgP,cAAAE,MACAvB,OAAA,SACAkB,IAAA,yBAGA9P,EAAAa,GAAAb,EAAAqC,GAAArC,EAAAgD,EAAA,2CAEAhD,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAiB,IAAAgP,eAAAjQ,EAAAiB,IAAAgP,cAAAG,UACAhQ,EACA,KAEAE,YAAA,WACAI,OACAmN,KAAA7N,EAAAiB,IAAAgP,cAAAG,UACAxB,OAAA,SACAkB,IAAA,yBAIA9P,EAAAa,GACAb,EAAAqC,GAAArC,EAAAgD,EAAA,+CAIAhD,EAAAoB,OAEApB,EAAAa,GAAA,KACAT,EAAA,MAAgBE,YAAA,qBAChBN,EAAAiB,IAAAoP,0BACAjQ,EAAA,MACAJ,EAAAa,GACAb,EAAAqC,GACArC,EAAAgD,EACA,WACA,gGAKAhD,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAiB,IAAAqP,0BACAlQ,EAAA,MACAJ,EAAAa,GACAb,EAAAqC,GACArC,EAAAgD,EACA,WACA,gGAKAhD,EAAAoB,KACApB,EAAAa,GAAA,KACAb,EAAAiB,IAAA2E,WAoBA5F,EAAAoB,KAnBAhB,EAAA,MACAJ,EAAAa,GACA,WACAb,EAAAqC,GACArC,EAAAgD,EACA,WACA,uFAGA,YAEA5C,EACA,MACiBE,YAAA,wBACjBN,EAAA8B,GAAA9B,EAAAiB,IAAAsP,oBAAA,SAAAC,GACA,OAAApQ,EAAA,MAAAJ,EAAAa,GAAAb,EAAAqC,GAAAmO,aAMAxQ,EAAAa,GAAA,KACAT,EAAA,OACAE,YAAA,kBACA8N,UAAmBqC,UAAAzQ,EAAAqC,GAAArC,EAAA0Q,uBAMnBhD,EAAMrM,eAAA,ECrXN,ICvG0LsP,GDwG1LtG,QAAAb,EAAAyC,EAAA9B,GACAvI,KAAA,aACAqE,OAAA,kBACAyE,YACAC,YAAAC,EAAAC,EACAC,SAAAjE,GAEAkD,KARA,WASA,OACA9C,sBAAA,IAGAF,QAbA,WAcA9G,KAAAgB,IAAA+F,OAAA5E,OAAA,IACAnC,KAAAgH,sBAAA,IAGAQ,SACAqG,eADA,WAEA7N,KAAAqL,QAAAC,MACA3J,KAAA,gBACAqJ,QAAAjK,SAAAf,KAAAe,cAIAkF,UACA2J,YADA,WAEA,yCAAAvH,OAAArI,KAAAgB,IAAAN,KAEAwN,QAJA,WAKA,OAAAlO,KAAAgB,IAAAkN,QACAnL,EAAA,iCAAA4N,SAAA,GAAA3Q,KAAAgB,IAAAkN,SAAA0C,gBAEA,MAEA7C,UAVA,WAWA,OAAA/N,KAAAgB,IAAAuD,cAAAvE,KAAAgB,IAAAuD,aAAAsM,iBAAA,GAEA5C,OAbA,WAcA,uBAAAjO,KAAAgB,IAAAiN,SAGA6C,SAAA9Q,KAAAgB,IAAAiN,SAIAjO,KAAAgB,IAAAiN,OAAA,WACAjO,KAAAgB,IAAAiN,QAEAjO,KAAAgB,IAAAiN,QAEAhH,UA1BA,WA2BA,OAAAjH,KAAAgB,IAAA+F,OAAAG,IAAA,SAAAC,GAAA,OAAAzG,GAAAyG,EAAAxF,KAAAwF,MAEAJ,OA7BA,WA8BA,OAAA/G,KAAAqH,OAAAC,QAAAyJ,UACA9M,OAAA,SAAAkD,GAAA,mBAAAA,EAAAzG,KACA2L,KAAA,SAAAzB,EAAA0B,GAAA,OAAA1B,EAAAjJ,KAAAqP,cAAA1E,EAAA3K,SAEA8O,eAlCA,WAoCA,IAAAQ,EAAA,IAAAC,OAAAC,OAAAC,SA8BA,OA7BAH,EAAAI,KAAA,SAAAzD,EAAAqB,EAAAqC,GACA,IACA,IAAAC,EAAAC,mBAAAC,SAAA7D,IACA8D,QAAA,cACAtF,cACA,MAAAuF,GACA,SAGA,OAAAJ,EAAA9I,QAAA,cAAA8I,EAAA9I,QAAA,UACA,SAGA,IAAAmJ,EAAA,YAAAhE,EAAA,8BAKA,OAJAqB,IACA2C,GAAA,WAAA3C,EAAA,KAEA2C,GAAA,IAAAN,EAAA,QAGAL,EAAAY,MAAA,SAAAjE,EAAAqB,EAAAqC,GACA,OAAAA,GAGArC,GAEAgC,EAAAa,WAAA,SAAAC,GACA,OAAAA,GAEAC,UAAAC,SACAf,OAAAC,OAAAnR,KAAAgB,IAAAkR,YAAAC,QACAlB,WACAmB,KAAA,EACAC,WAAA,EACAC,QAAA,EACAC,QAAA,EACAC,UAAA,EACAP,UAAA,EACAQ,YAAA,EACAC,aAAA,KAGAC,iBAAA,EACAC,cACA,SACA,IACA,IACA,KACA,KACA,KACA,KACA,MACA,mBEnNIC,EAAYrM,OAAAC,EAAA,EAAAD,CACdkK,EACAjD,MAEF,EACA,KACA,KACA,MAuBAoF,EAASnM,QAAAC,OAAA,gCACM,IAAAmM,EAAAD,UCMfE,EAAA,QAAAC,IAAAC,EAAArI,GAEA,IC9CoLsI,GD+CpLvR,KAAA,OACAqE,OACAjF,UACAsB,KAAA8Q,OACA7I,QAAA,aAEA5J,IACA2B,KAAA8Q,OACA7I,QAAA,KAGAG,YACA2I,WAAAN,EACAO,cAAAC,EAAA,cACA9F,WAEAhG,SACA+L,UADA,SACA7L,GACA1H,KAAAkB,YAAAwG,GAEA8L,YAJA,WAKAxT,KAAAuT,UAAA,MAGAE,YAzBA,WA0BAzT,KAAAqH,OAAAM,SAAA,iBACA3H,KAAAqH,OAAAM,SAAA,cACA3H,KAAAqH,OAAAM,SAAA,aAAAE,OAAA,EAAAD,MAAA,IACA5H,KAAAqH,OAAAqM,OAAA,iBAAA1T,KAAAqH,OAAAC,QAAAuF,cAAA8G,cAEA7M,QA/BA,WAmCA9G,KAAA4T,UAAA,IAAAC,IAAAC,OAAA9T,KAAAuT,UAAAvT,KAAAwT,cAEA1J,KArCA,WAsCA,OACA5I,YAAA,KAGAqJ,OACAxJ,SAAA,SAAAgT,EAAAC,GACAhU,KAAAuT,UAAA,MAGAtN,UACAjD,QADA,WAEA,OAAAhD,KAAAqH,OAAAC,QAAAtE,QAAA,eAEAlC,YAJA,WAKA,OAAAd,KAAAqH,OAAAC,QAAAtE,QAAA,SAEAxC,WAPA,WAOA,IAAA0L,EAAAlM,KACA,OAAAA,KAAA8B,KAAAkL,KAAA,SAAAhM,GAAA,OAAAA,EAAAN,KAAAwL,EAAAxL,MAEAuT,WAVA,WAWA,OAAAjU,KAAAqH,OAAAC,QAAA4M,eAEApS,KAbA,WAcA,OAAA9B,KAAAqH,OAAAC,QAAA6E,YAEAwH,YAhBA,WAiBA,OAAA3T,KAAAqH,OAAAC,QAAA6M,gBAEAC,SAnBA,WAoBA,OAAApU,KAAAqH,OAAAC,QAAAuF,eAIAlM,KAxBA,WAwBA,IAAAoM,EAAA/M,KAEAiU,EAAAjU,KAAAqH,OAAAC,QAAA4M,cAIAD,GAHAA,EAAA5F,MAAAC,QAAA2F,SAGA/M,IAAA,SAAAnG,GACA,IAAAsT,KAUA,OATAA,EAAA3T,GAAA,gBAAAK,EAAAuT,MACAD,EAAAE,KAAA,iBAAAxT,EAAAuT,MACAD,EAAAG,WACAH,EAAAI,QACA9S,KAAA,gBACAqJ,QAAAjK,WAAAuT,QAEAD,EAAA/C,KAAAvQ,EAAA2T,YAEAL,IAKA,IAAAM,IAEAjU,GAAA,yBACA8T,WACAC,QAAA9S,KAAA,QACA4S,KAAA,0BACAjD,KAAAvO,EAAA,0BAGArC,GAAA,uBACA8T,WACAD,KAAA,wBACAE,QAAA9S,KAAA,gBAAAqJ,QAAAjK,SAAA,YACAuQ,KAAAvO,EAAA,4BAEArC,GAAA,wBACA8T,WACAD,KAAA,yBACAE,QAAA9S,KAAA,gBAAAqJ,QAAAjK,SAAA,aACAuQ,KAAAvO,EAAA,8BAIA,IAAA/C,KAAAoU,SAAAQ,gBACA,OACAlU,GAAA,iBACAmU,MAAAF,GAIA3U,KAAAqH,OAAAC,QAAA6M,eAAA,GACAQ,EAAArJ,MACA5K,GAAA,uBACA8T,WACAD,KAAA,gBACAE,QAAA9S,KAAA,gBAAAqJ,QAAAjK,SAAA,YACAuQ,KAAAvO,EAAA,sBACA+R,OAAAC,QAAA/U,KAAAqH,OAAAC,QAAA6M,kBAIAQ,EAAArJ,MACA5K,GAAA,2BACA8T,WACAD,KAAA,4BACAE,QAAA9S,KAAA,gBAAAqJ,QAAAjK,SAAA,gBACAuQ,KAAAvO,EAAA,4BAMA,IAAAiS,GAHAf,EAAAU,EAAAtM,OAAA4L,IAGAgB,UAAA,SAAA9N,GAAA,OAAAA,EAAAzG,KAAA,gBAAAqM,EAAAhM,WAeA,OAdAiU,GAAA,EACAf,EAAAe,GAAAR,QAAAlJ,KAAA,UAEA2I,EAAA,GAAAO,QAAAlJ,KAAA,UAGA2I,EAAA3I,MACA5K,GAAA,qBACA8T,WACA5G,KAAA5N,KAAAoU,SAAAc,uBACA5D,KAAAvO,EAAA,8CAKArC,GAAA,iBACAmU,MAAAZ,EACAjR,QAAAhD,KAAAgD,YE1MImS,EAAY3O,OAAAC,EAAA,EAAAD,CACd0M,EACApT,MAEF,EACA,KACA,KACA,MAuBAqV,EAASzO,QAAAC,OAAA,qBACMyO,EAAA,QAAAD","file":"4.js","sourcesContent":["var render = function() {\n var _vm = this\n var _h = _vm.$createElement\n var _c = _vm._self._c || _h\n return _c(\n \"div\",\n {\n staticClass: \"app-settings\",\n class: { \"with-app-sidebar\": _vm.currentApp },\n attrs: { id: \"content\" }\n },\n [\n _c(\"app-navigation\", { attrs: { menu: _vm.menu } }),\n _vm._v(\" \"),\n _c(\n \"div\",\n {\n staticClass: \"app-settings-content\",\n class: { \"icon-loading\": _vm.loadingList },\n attrs: { id: \"app-content\" }\n },\n [\n _c(\"app-list\", {\n attrs: {\n category: _vm.category,\n app: _vm.currentApp,\n search: _vm.searchQuery\n }\n })\n ],\n 1\n ),\n _vm._v(\" \"),\n _vm.id && _vm.currentApp\n ? _c(\n \"div\",\n { attrs: { id: \"app-sidebar\" } },\n [\n _c(\"app-details\", {\n attrs: { category: _vm.category, app: _vm.currentApp }\n })\n ],\n 1\n )\n : _vm._e()\n ],\n 1\n )\n}\nvar staticRenderFns = []\nrender._withStripped = true\n\nexport { render, staticRenderFns }","var render = function() {\n var _vm = this\n var _h = _vm.$createElement\n var _c = _vm._self._c || _h\n return _c(\"div\", { attrs: { id: \"app-content-inner\" } }, [\n _c(\n \"div\",\n {\n staticClass: \"apps-list\",\n class: {\n installed: _vm.useBundleView || _vm.useListView,\n store: _vm.useAppStoreView\n },\n attrs: { id: \"apps-list\" }\n },\n [\n _vm.useListView\n ? [\n _c(\n \"transition-group\",\n {\n staticClass: \"apps-list-container\",\n attrs: { name: \"app-list\", tag: \"div\" }\n },\n _vm._l(_vm.apps, function(app) {\n return _c(\"app-item\", {\n key: app.id,\n attrs: { app: app, category: _vm.category }\n })\n })\n )\n ]\n : _vm._e(),\n _vm._v(\" \"),\n _vm._l(_vm.bundles, function(bundle) {\n return _vm.useBundleView && _vm.bundleApps(bundle.id).length > 0\n ? [\n _c(\n \"transition-group\",\n {\n staticClass: \"apps-list-container\",\n attrs: { name: \"app-list\", tag: \"div\" }\n },\n [\n _c(\"div\", { key: bundle.id, staticClass: \"apps-header\" }, [\n _c(\"div\", { staticClass: \"app-image\" }),\n _vm._v(\" \"),\n _c(\"h2\", [\n _vm._v(_vm._s(bundle.name) + \" \"),\n _c(\"input\", {\n attrs: {\n type: \"button\",\n value: _vm.bundleToggleText(bundle.id)\n },\n on: {\n click: function($event) {\n _vm.toggleBundle(bundle.id)\n }\n }\n })\n ]),\n _vm._v(\" \"),\n _c(\"div\", { staticClass: \"app-version\" }),\n _vm._v(\" \"),\n _c(\"div\", { staticClass: \"app-level\" }),\n _vm._v(\" \"),\n _c(\"div\", { staticClass: \"app-groups\" }),\n _vm._v(\" \"),\n _c(\"div\", { staticClass: \"actions\" }, [_vm._v(\" \")])\n ]),\n _vm._v(\" \"),\n _vm._l(_vm.bundleApps(bundle.id), function(app) {\n return _c(\"app-item\", {\n key: bundle.id + app.id,\n attrs: { app: app, category: _vm.category }\n })\n })\n ],\n 2\n )\n ]\n : _vm._e()\n }),\n _vm._v(\" \"),\n _vm.useAppStoreView\n ? _vm._l(_vm.apps, function(app) {\n return _c(\"app-item\", {\n key: app.id,\n attrs: { app: app, category: _vm.category, \"list-view\": false }\n })\n })\n : _vm._e()\n ],\n 2\n ),\n _vm._v(\" \"),\n _c(\n \"div\",\n { staticClass: \"apps-list installed\", attrs: { id: \"apps-list-search\" } },\n [\n _c(\n \"div\",\n { staticClass: \"apps-list-container\" },\n [\n _vm.search !== \"\" && _vm.searchApps.length > 0\n ? [\n _c(\"div\", { staticClass: \"section\" }, [\n _c(\"div\"),\n _vm._v(\" \"),\n _c(\"td\", { attrs: { colspan: \"5\" } }, [\n _c(\"h2\", [\n _vm._v(\n _vm._s(\n _vm.t(\"settings\", \"Results from other categories\")\n )\n )\n ])\n ])\n ]),\n _vm._v(\" \"),\n _vm._l(_vm.searchApps, function(app) {\n return _c(\"app-item\", {\n key: app.id,\n attrs: {\n app: app,\n category: _vm.category,\n \"list-view\": true\n }\n })\n })\n ]\n : _vm._e()\n ],\n 2\n )\n ]\n ),\n _vm._v(\" \"),\n !_vm.loading && _vm.searchApps.length === 0 && _vm.apps.length === 0\n ? _c(\n \"div\",\n {\n staticClass: \"emptycontent emptycontent-search\",\n attrs: { id: \"apps-list-empty\" }\n },\n [\n _c(\"div\", {\n staticClass: \"icon-settings-dark\",\n attrs: { id: \"app-list-empty-icon\" }\n }),\n _vm._v(\" \"),\n _c(\"h2\", [\n _vm._v(\n _vm._s(_vm.t(\"settings\", \"No apps found for your version\"))\n )\n ])\n ]\n )\n : _vm._e(),\n _vm._v(\" \"),\n _c(\"div\", { attrs: { id: \"searchresults\" } })\n ])\n}\nvar staticRenderFns = []\nrender._withStripped = true\n\nexport { render, staticRenderFns }","var render = function() {\n var _vm = this\n var _h = _vm.$createElement\n var _c = _vm._self._c || _h\n return _c(\n \"div\",\n {\n staticClass: \"section\",\n class: { selected: _vm.isSelected },\n on: { click: _vm.showAppDetails }\n },\n [\n _c(\n \"div\",\n {\n staticClass: \"app-image app-image-icon\",\n on: { click: _vm.showAppDetails }\n },\n [\n (_vm.listView && !_vm.app.preview) ||\n (!_vm.listView && !_vm.app.screenshot)\n ? _c(\"div\", { staticClass: \"icon-settings-dark\" })\n : _vm._e(),\n _vm._v(\" \"),\n _vm.listView && _vm.app.preview\n ? _c(\n \"svg\",\n { attrs: { width: \"32\", height: \"32\", viewBox: \"0 0 32 32\" } },\n [\n _c(\"defs\", [\n _c(\n \"filter\",\n { attrs: { id: _vm.filterId } },\n [\n _c(\"feColorMatrix\", {\n attrs: {\n in: \"SourceGraphic\",\n type: \"matrix\",\n values: \"-1 0 0 0 1 0 -1 0 0 1 0 0 -1 0 1 0 0 0 1 0\"\n }\n })\n ],\n 1\n )\n ]),\n _vm._v(\" \"),\n _c(\"image\", {\n staticClass: \"app-icon\",\n attrs: {\n x: \"0\",\n y: \"0\",\n width: \"32\",\n height: \"32\",\n preserveAspectRatio: \"xMinYMin meet\",\n filter: _vm.filterUrl,\n \"xlink:href\": _vm.app.preview\n }\n })\n ]\n )\n : _vm._e(),\n _vm._v(\" \"),\n !_vm.listView && _vm.app.screenshot\n ? _c(\"img\", { attrs: { src: _vm.app.screenshot, width: \"100%\" } })\n : _vm._e()\n ]\n ),\n _vm._v(\" \"),\n _c(\n \"div\",\n { staticClass: \"app-name\", on: { click: _vm.showAppDetails } },\n [_vm._v(\"\\n\\t\\t\" + _vm._s(_vm.app.name) + \"\\n\\t\")]\n ),\n _vm._v(\" \"),\n !_vm.listView\n ? _c(\"div\", { staticClass: \"app-summary\" }, [\n _vm._v(_vm._s(_vm.app.summary))\n ])\n : _vm._e(),\n _vm._v(\" \"),\n _vm.listView\n ? _c(\"div\", { staticClass: \"app-version\" }, [\n _vm.app.version\n ? _c(\"span\", [_vm._v(_vm._s(_vm.app.version))])\n : _vm.app.appstoreData.releases[0].version\n ? _c(\"span\", [\n _vm._v(_vm._s(_vm.app.appstoreData.releases[0].version))\n ])\n : _vm._e()\n ])\n : _vm._e(),\n _vm._v(\" \"),\n _c(\n \"div\",\n { staticClass: \"app-level\" },\n [\n _vm.app.level === 200\n ? _c(\n \"span\",\n {\n directives: [\n {\n name: \"tooltip\",\n rawName: \"v-tooltip.auto\",\n value: _vm.t(\n \"settings\",\n \"Official apps are developed by and within the community. They offer central functionality and are ready for production use.\"\n ),\n expression:\n \"t('settings', 'Official apps are developed by and within the community. They offer central functionality and are ready for production use.')\",\n modifiers: { auto: true }\n }\n ],\n staticClass: \"official icon-checkmark\"\n },\n [_vm._v(\"\\n\\t\\t\\t\" + _vm._s(_vm.t(\"settings\", \"Official\")))]\n )\n : _vm._e(),\n _vm._v(\" \"),\n !_vm.listView\n ? _c(\"app-score\", { attrs: { score: _vm.app.score } })\n : _vm._e()\n ],\n 1\n ),\n _vm._v(\" \"),\n _c(\"div\", { staticClass: \"actions\" }, [\n _vm.app.error\n ? _c(\"div\", { staticClass: \"warning\" }, [\n _vm._v(_vm._s(_vm.app.error))\n ])\n : _vm._e(),\n _vm._v(\" \"),\n _vm.loading(_vm.app.id)\n ? _c(\"div\", { staticClass: \"icon icon-loading-small\" })\n : _vm._e(),\n _vm._v(\" \"),\n _vm.app.update\n ? _c(\"input\", {\n staticClass: \"update\",\n attrs: {\n type: \"button\",\n value: _vm.t(\"settings\", \"Update to {update}\", {\n update: _vm.app.update\n }),\n disabled: _vm.installing || _vm.loading(_vm.app.id)\n },\n on: {\n click: function($event) {\n $event.stopPropagation()\n _vm.update(_vm.app.id)\n }\n }\n })\n : _vm._e(),\n _vm._v(\" \"),\n _vm.app.canUnInstall\n ? _c(\"input\", {\n staticClass: \"uninstall\",\n attrs: {\n type: \"button\",\n value: _vm.t(\"settings\", \"Remove\"),\n disabled: _vm.installing || _vm.loading(_vm.app.id)\n },\n on: {\n click: function($event) {\n $event.stopPropagation()\n _vm.remove(_vm.app.id)\n }\n }\n })\n : _vm._e(),\n _vm._v(\" \"),\n _vm.app.active\n ? _c(\"input\", {\n staticClass: \"enable\",\n attrs: {\n type: \"button\",\n value: _vm.t(\"settings\", \"Disable\"),\n disabled: _vm.installing || _vm.loading(_vm.app.id)\n },\n on: {\n click: function($event) {\n $event.stopPropagation()\n _vm.disable(_vm.app.id)\n }\n }\n })\n : _vm._e(),\n _vm._v(\" \"),\n !_vm.app.active\n ? _c(\"input\", {\n directives: [\n {\n name: \"tooltip\",\n rawName: \"v-tooltip.auto\",\n value: _vm.enableButtonTooltip,\n expression: \"enableButtonTooltip\",\n modifiers: { auto: true }\n }\n ],\n staticClass: \"enable\",\n attrs: {\n type: \"button\",\n value: _vm.enableButtonText,\n disabled:\n !_vm.app.canInstall ||\n _vm.installing ||\n _vm.loading(_vm.app.id)\n },\n on: {\n click: function($event) {\n $event.stopPropagation()\n _vm.enable(_vm.app.id)\n }\n }\n })\n : _vm._e()\n ])\n ]\n )\n}\nvar staticRenderFns = []\nrender._withStripped = true\n\nexport { render, staticRenderFns }","var render = function() {\n var _vm = this\n var _h = _vm.$createElement\n var _c = _vm._self._c || _h\n return _c(\"img\", {\n staticClass: \"app-score-image\",\n attrs: { src: _vm.scoreImage }\n })\n}\nvar staticRenderFns = []\nrender._withStripped = true\n\nexport { render, staticRenderFns }","\n\n\n","import mod from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./appScore.vue?vue&type=script&lang=js&\"; export default mod; export * from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./appScore.vue?vue&type=script&lang=js&\"","import { render, staticRenderFns } from \"./appScore.vue?vue&type=template&id=71d71231&\"\nimport script from \"./appScore.vue?vue&type=script&lang=js&\"\nexport * from \"./appScore.vue?vue&type=script&lang=js&\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\n/* hot reload */\nif (module.hot) {\n var api = require(\"/home/christoph/workspace/nextcloud/settings/node_modules/vue-hot-reload-api/dist/index.js\")\n api.install(require('vue'))\n if (api.compatible) {\n module.hot.accept()\n if (!module.hot.data) {\n api.createRecord('71d71231', component.options)\n } else {\n api.reload('71d71231', component.options)\n }\n module.hot.accept(\"./appScore.vue?vue&type=template&id=71d71231&\", function () {\n api.rerender('71d71231', {\n render: render,\n staticRenderFns: staticRenderFns\n })\n })\n }\n}\ncomponent.options.__file = \"src/components/appList/appScore.vue\"\nexport default component.exports","import mod from \"-!../../node_modules/babel-loader/lib/index.js!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./appManagement.vue?vue&type=script&lang=js&\"; export default mod; export * from \"-!../../node_modules/babel-loader/lib/index.js!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./appManagement.vue?vue&type=script&lang=js&\"","\n\n\n","var render, staticRenderFns\nimport script from \"./appManagement.vue?vue&type=script&lang=js&\"\nexport * from \"./appManagement.vue?vue&type=script&lang=js&\"\n\n\n/* normalize component */\nimport normalizer from \"!../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\n/* hot reload */\nif (module.hot) {\n var api = require(\"/home/christoph/workspace/nextcloud/settings/node_modules/vue-hot-reload-api/dist/index.js\")\n api.install(require('vue'))\n if (api.compatible) {\n module.hot.accept()\n if (!module.hot.data) {\n api.createRecord('1ae84938', component.options)\n } else {\n api.reload('1ae84938', component.options)\n }\n \n }\n}\ncomponent.options.__file = \"src/components/appManagement.vue\"\nexport default component.exports","import mod from \"-!../../node_modules/babel-loader/lib/index.js!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./svgFilterMixin.vue?vue&type=script&lang=js&\"; export default mod; export * from \"-!../../node_modules/babel-loader/lib/index.js!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./svgFilterMixin.vue?vue&type=script&lang=js&\"","\n\n","var render, staticRenderFns\nimport script from \"./svgFilterMixin.vue?vue&type=script&lang=js&\"\nexport * from \"./svgFilterMixin.vue?vue&type=script&lang=js&\"\n\n\n/* normalize component */\nimport normalizer from \"!../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\n/* hot reload */\nif (module.hot) {\n var api = require(\"/home/christoph/workspace/nextcloud/settings/node_modules/vue-hot-reload-api/dist/index.js\")\n api.install(require('vue'))\n if (api.compatible) {\n module.hot.accept()\n if (!module.hot.data) {\n api.createRecord('66ac5316', component.options)\n } else {\n api.reload('66ac5316', component.options)\n }\n \n }\n}\ncomponent.options.__file = \"src/components/svgFilterMixin.vue\"\nexport default component.exports","import mod from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./appItem.vue?vue&type=script&lang=js&\"; export default mod; export * from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./appItem.vue?vue&type=script&lang=js&\"","\n\n\n\n\n","import { render, staticRenderFns } from \"./appItem.vue?vue&type=template&id=1c68d544&\"\nimport script from \"./appItem.vue?vue&type=script&lang=js&\"\nexport * from \"./appItem.vue?vue&type=script&lang=js&\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\n/* hot reload */\nif (module.hot) {\n var api = require(\"/home/christoph/workspace/nextcloud/settings/node_modules/vue-hot-reload-api/dist/index.js\")\n api.install(require('vue'))\n if (api.compatible) {\n module.hot.accept()\n if (!module.hot.data) {\n api.createRecord('1c68d544', component.options)\n } else {\n api.reload('1c68d544', component.options)\n }\n module.hot.accept(\"./appItem.vue?vue&type=template&id=1c68d544&\", function () {\n api.rerender('1c68d544', {\n render: render,\n staticRenderFns: staticRenderFns\n })\n })\n }\n}\ncomponent.options.__file = \"src/components/appList/appItem.vue\"\nexport default component.exports","import mod from \"-!../../node_modules/babel-loader/lib/index.js!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./prefixMixin.vue?vue&type=script&lang=js&\"; export default mod; export * from \"-!../../node_modules/babel-loader/lib/index.js!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./prefixMixin.vue?vue&type=script&lang=js&\"","\n\n","var render, staticRenderFns\nimport script from \"./prefixMixin.vue?vue&type=script&lang=js&\"\nexport * from \"./prefixMixin.vue?vue&type=script&lang=js&\"\n\n\n/* normalize component */\nimport normalizer from \"!../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\n/* hot reload */\nif (module.hot) {\n var api = require(\"/home/christoph/workspace/nextcloud/settings/node_modules/vue-hot-reload-api/dist/index.js\")\n api.install(require('vue'))\n if (api.compatible) {\n module.hot.accept()\n if (!module.hot.data) {\n api.createRecord('eb3bc8a2', component.options)\n } else {\n api.reload('eb3bc8a2', component.options)\n }\n \n }\n}\ncomponent.options.__file = \"src/components/prefixMixin.vue\"\nexport default component.exports","import mod from \"-!../../node_modules/babel-loader/lib/index.js!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./appList.vue?vue&type=script&lang=js&\"; export default mod; export * from \"-!../../node_modules/babel-loader/lib/index.js!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./appList.vue?vue&type=script&lang=js&\"","\n\n\n\n\n","import { render, staticRenderFns } from \"./appList.vue?vue&type=template&id=a1862e02&\"\nimport script from \"./appList.vue?vue&type=script&lang=js&\"\nexport * from \"./appList.vue?vue&type=script&lang=js&\"\n\n\n/* normalize component */\nimport normalizer from \"!../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\n/* hot reload */\nif (module.hot) {\n var api = require(\"/home/christoph/workspace/nextcloud/settings/node_modules/vue-hot-reload-api/dist/index.js\")\n api.install(require('vue'))\n if (api.compatible) {\n module.hot.accept()\n if (!module.hot.data) {\n api.createRecord('a1862e02', component.options)\n } else {\n api.reload('a1862e02', component.options)\n }\n module.hot.accept(\"./appList.vue?vue&type=template&id=a1862e02&\", function () {\n api.rerender('a1862e02', {\n render: render,\n staticRenderFns: staticRenderFns\n })\n })\n }\n}\ncomponent.options.__file = \"src/components/appList.vue\"\nexport default component.exports","var render = function() {\n var _vm = this\n var _h = _vm.$createElement\n var _c = _vm._self._c || _h\n return _c(\n \"div\",\n { staticStyle: { padding: \"20px\" }, attrs: { id: \"app-details-view\" } },\n [\n _c(\n \"a\",\n {\n staticClass: \"close icon-close\",\n attrs: { href: \"#\" },\n on: { click: _vm.hideAppDetails }\n },\n [_c(\"span\", { staticClass: \"hidden-visually\" }, [_vm._v(\"Close\")])]\n ),\n _vm._v(\" \"),\n _c(\"h2\", [\n !_vm.app.preview\n ? _c(\"div\", { staticClass: \"icon-settings-dark\" })\n : _vm._e(),\n _vm._v(\" \"),\n _vm.app.previewAsIcon && _vm.app.preview\n ? _c(\n \"svg\",\n { attrs: { width: \"32\", height: \"32\", viewBox: \"0 0 32 32\" } },\n [\n _c(\"defs\", [\n _c(\n \"filter\",\n { attrs: { id: _vm.filterId } },\n [\n _c(\"feColorMatrix\", {\n attrs: {\n in: \"SourceGraphic\",\n type: \"matrix\",\n values: \"-1 0 0 0 1 0 -1 0 0 1 0 0 -1 0 1 0 0 0 1 0\"\n }\n })\n ],\n 1\n )\n ]),\n _vm._v(\" \"),\n _c(\"image\", {\n staticClass: \"app-icon\",\n attrs: {\n x: \"0\",\n y: \"0\",\n width: \"32\",\n height: \"32\",\n preserveAspectRatio: \"xMinYMin meet\",\n filter: _vm.filterUrl,\n \"xlink:href\": _vm.app.preview\n }\n })\n ]\n )\n : _vm._e(),\n _vm._v(\"\\n\\t\\t\" + _vm._s(_vm.app.name))\n ]),\n _vm._v(\" \"),\n _vm.app.screenshot\n ? _c(\"img\", { attrs: { src: _vm.app.screenshot, width: \"100%\" } })\n : _vm._e(),\n _vm._v(\" \"),\n _vm.app.level === 200 || _vm.hasRating\n ? _c(\n \"div\",\n { staticClass: \"app-level\" },\n [\n _vm.app.level === 200\n ? _c(\n \"span\",\n {\n directives: [\n {\n name: \"tooltip\",\n rawName: \"v-tooltip.auto\",\n value: _vm.t(\n \"settings\",\n \"Official apps are developed by and within the community. They offer central functionality and are ready for production use.\"\n ),\n expression:\n \"t('settings', 'Official apps are developed by and within the community. They offer central functionality and are ready for production use.')\",\n modifiers: { auto: true }\n }\n ],\n staticClass: \"official icon-checkmark\"\n },\n [_vm._v(\"\\n\\t\\t\\t\" + _vm._s(_vm.t(\"settings\", \"Official\")))]\n )\n : _vm._e(),\n _vm._v(\" \"),\n _vm.hasRating\n ? _c(\"app-score\", {\n attrs: { score: _vm.app.appstoreData.ratingOverall }\n })\n : _vm._e()\n ],\n 1\n )\n : _vm._e(),\n _vm._v(\" \"),\n _vm.author\n ? _c(\n \"div\",\n { staticClass: \"app-author\" },\n [\n _vm._v(\"\\n\\t\\t\" + _vm._s(_vm.t(\"settings\", \"by\")) + \"\\n\\t\\t\"),\n _vm._l(_vm.author, function(a, index) {\n return _c(\"span\", [\n a[\"@attributes\"] && a[\"@attributes\"][\"homepage\"]\n ? _c(\n \"a\",\n { attrs: { href: a[\"@attributes\"][\"homepage\"] } },\n [_vm._v(_vm._s(a[\"@value\"]))]\n )\n : a[\"@value\"]\n ? _c(\"span\", [_vm._v(_vm._s(a[\"@value\"]))])\n : _c(\"span\", [_vm._v(_vm._s(a))]),\n index + 1 < _vm.author.length\n ? _c(\"span\", [_vm._v(\", \")])\n : _vm._e()\n ])\n })\n ],\n 2\n )\n : _vm._e(),\n _vm._v(\" \"),\n _vm.licence\n ? _c(\"div\", { staticClass: \"app-licence\" }, [\n _vm._v(_vm._s(_vm.licence))\n ])\n : _vm._e(),\n _vm._v(\" \"),\n _c(\"div\", { staticClass: \"actions\" }, [\n _c(\"div\", { staticClass: \"actions-buttons\" }, [\n _vm.app.update\n ? _c(\"input\", {\n staticClass: \"update\",\n attrs: {\n type: \"button\",\n value: _vm.t(\"settings\", \"Update to {version}\", {\n version: _vm.app.update\n }),\n disabled: _vm.installing || _vm.loading(_vm.app.id)\n }\n })\n : _vm._e(),\n _vm._v(\" \"),\n _vm.app.canUnInstall\n ? _c(\"input\", {\n staticClass: \"uninstall\",\n attrs: {\n type: \"button\",\n value: _vm.t(\"settings\", \"Remove\"),\n disabled: _vm.installing || _vm.loading(_vm.app.id)\n },\n on: {\n click: function($event) {\n _vm.remove(_vm.app.id)\n }\n }\n })\n : _vm._e(),\n _vm._v(\" \"),\n _vm.app.active\n ? _c(\"input\", {\n staticClass: \"enable\",\n attrs: {\n type: \"button\",\n value: _vm.t(\"settings\", \"Disable\"),\n disabled: _vm.installing || _vm.loading(_vm.app.id)\n },\n on: {\n click: function($event) {\n _vm.disable(_vm.app.id)\n }\n }\n })\n : _vm._e(),\n _vm._v(\" \"),\n !_vm.app.active\n ? _c(\"input\", {\n directives: [\n {\n name: \"tooltip\",\n rawName: \"v-tooltip.auto\",\n value: _vm.enableButtonTooltip,\n expression: \"enableButtonTooltip\",\n modifiers: { auto: true }\n }\n ],\n staticClass: \"enable\",\n attrs: {\n type: \"button\",\n value: _vm.enableButtonText,\n disabled:\n !_vm.app.canInstall ||\n _vm.installing ||\n _vm.loading(_vm.app.id)\n },\n on: {\n click: function($event) {\n _vm.enable(_vm.app.id)\n }\n }\n })\n : _vm._e()\n ]),\n _vm._v(\" \"),\n _c(\"div\", { staticClass: \"app-groups\" }, [\n _vm.app.active && _vm.canLimitToGroups(_vm.app)\n ? _c(\n \"div\",\n { staticClass: \"groups-enable\" },\n [\n _c(\"input\", {\n directives: [\n {\n name: \"model\",\n rawName: \"v-model\",\n value: _vm.groupCheckedAppsData,\n expression: \"groupCheckedAppsData\"\n }\n ],\n staticClass: \"groups-enable__checkbox checkbox\",\n attrs: {\n type: \"checkbox\",\n id: _vm.prefix(\"groups_enable\", _vm.app.id)\n },\n domProps: {\n value: _vm.app.id,\n checked: Array.isArray(_vm.groupCheckedAppsData)\n ? _vm._i(_vm.groupCheckedAppsData, _vm.app.id) > -1\n : _vm.groupCheckedAppsData\n },\n on: {\n change: [\n function($event) {\n var $$a = _vm.groupCheckedAppsData,\n $$el = $event.target,\n $$c = $$el.checked ? true : false\n if (Array.isArray($$a)) {\n var $$v = _vm.app.id,\n $$i = _vm._i($$a, $$v)\n if ($$el.checked) {\n $$i < 0 &&\n (_vm.groupCheckedAppsData = $$a.concat([$$v]))\n } else {\n $$i > -1 &&\n (_vm.groupCheckedAppsData = $$a\n .slice(0, $$i)\n .concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.groupCheckedAppsData = $$c\n }\n },\n _vm.setGroupLimit\n ]\n }\n }),\n _vm._v(\" \"),\n _c(\n \"label\",\n { attrs: { for: _vm.prefix(\"groups_enable\", _vm.app.id) } },\n [_vm._v(_vm._s(_vm.t(\"settings\", \"Limit to groups\")))]\n ),\n _vm._v(\" \"),\n _c(\"input\", {\n staticClass: \"group_select\",\n attrs: {\n type: \"hidden\",\n title: _vm.t(\"settings\", \"All\"),\n value: \"\"\n }\n }),\n _vm._v(\" \"),\n _vm.isLimitedToGroups(_vm.app)\n ? _c(\n \"multiselect\",\n {\n staticClass: \"multiselect-vue\",\n attrs: {\n options: _vm.groups,\n value: _vm.appGroups,\n \"options-limit\": 5,\n placeholder: _vm.t(\n \"settings\",\n \"Limit app usage to groups\"\n ),\n label: \"name\",\n \"track-by\": \"id\",\n multiple: true,\n \"close-on-select\": false\n },\n on: {\n select: _vm.addGroupLimitation,\n remove: _vm.removeGroupLimitation,\n \"search-change\": _vm.asyncFindGroup\n }\n },\n [\n _c(\n \"span\",\n { attrs: { slot: \"noResult\" }, slot: \"noResult\" },\n [_vm._v(_vm._s(_vm.t(\"settings\", \"No results\")))]\n )\n ]\n )\n : _vm._e()\n ],\n 1\n )\n : _vm._e()\n ])\n ]),\n _vm._v(\" \"),\n _c(\"p\", { staticClass: \"documentation\" }, [\n !_vm.app.internal\n ? _c(\n \"a\",\n {\n staticClass: \"appslink\",\n attrs: {\n href: _vm.appstoreUrl,\n target: \"_blank\",\n rel: \"noreferrer noopener\"\n }\n },\n [_vm._v(_vm._s(_vm.t(\"settings\", \"View in store\")) + \" ↗\")]\n )\n : _vm._e(),\n _vm._v(\" \"),\n _vm.app.website\n ? _c(\n \"a\",\n {\n staticClass: \"appslink\",\n attrs: {\n href: _vm.app.website,\n target: \"_blank\",\n rel: \"noreferrer noopener\"\n }\n },\n [_vm._v(_vm._s(_vm.t(\"settings\", \"Visit website\")) + \" ↗\")]\n )\n : _vm._e(),\n _vm._v(\" \"),\n _vm.app.bugs\n ? _c(\n \"a\",\n {\n staticClass: \"appslink\",\n attrs: {\n href: _vm.app.bugs,\n target: \"_blank\",\n rel: \"noreferrer noopener\"\n }\n },\n [_vm._v(_vm._s(_vm.t(\"settings\", \"Report a bug\")) + \" ↗\")]\n )\n : _vm._e(),\n _vm._v(\" \"),\n _vm.app.documentation && _vm.app.documentation.user\n ? _c(\n \"a\",\n {\n staticClass: \"appslink\",\n attrs: {\n href: _vm.app.documentation.user,\n target: \"_blank\",\n rel: \"noreferrer noopener\"\n }\n },\n [_vm._v(_vm._s(_vm.t(\"settings\", \"User documentation\")) + \" ↗\")]\n )\n : _vm._e(),\n _vm._v(\" \"),\n _vm.app.documentation && _vm.app.documentation.admin\n ? _c(\n \"a\",\n {\n staticClass: \"appslink\",\n attrs: {\n href: _vm.app.documentation.admin,\n target: \"_blank\",\n rel: \"noreferrer noopener\"\n }\n },\n [_vm._v(_vm._s(_vm.t(\"settings\", \"Admin documentation\")) + \" ↗\")]\n )\n : _vm._e(),\n _vm._v(\" \"),\n _vm.app.documentation && _vm.app.documentation.developer\n ? _c(\n \"a\",\n {\n staticClass: \"appslink\",\n attrs: {\n href: _vm.app.documentation.developer,\n target: \"_blank\",\n rel: \"noreferrer noopener\"\n }\n },\n [\n _vm._v(\n _vm._s(_vm.t(\"settings\", \"Developer documentation\")) + \" ↗\"\n )\n ]\n )\n : _vm._e()\n ]),\n _vm._v(\" \"),\n _c(\"ul\", { staticClass: \"app-dependencies\" }, [\n _vm.app.missingMinOwnCloudVersion\n ? _c(\"li\", [\n _vm._v(\n _vm._s(\n _vm.t(\n \"settings\",\n \"This app has no minimum Nextcloud version assigned. This will be an error in the future.\"\n )\n )\n )\n ])\n : _vm._e(),\n _vm._v(\" \"),\n _vm.app.missingMaxOwnCloudVersion\n ? _c(\"li\", [\n _vm._v(\n _vm._s(\n _vm.t(\n \"settings\",\n \"This app has no maximum Nextcloud version assigned. This will be an error in the future.\"\n )\n )\n )\n ])\n : _vm._e(),\n _vm._v(\" \"),\n !_vm.app.canInstall\n ? _c(\"li\", [\n _vm._v(\n \"\\n\\t\\t\\t\" +\n _vm._s(\n _vm.t(\n \"settings\",\n \"This app cannot be installed because the following dependencies are not fulfilled:\"\n )\n ) +\n \"\\n\\t\\t\\t\"\n ),\n _c(\n \"ul\",\n { staticClass: \"missing-dependencies\" },\n _vm._l(_vm.app.missingDependencies, function(dep) {\n return _c(\"li\", [_vm._v(_vm._s(dep))])\n })\n )\n ])\n : _vm._e()\n ]),\n _vm._v(\" \"),\n _c(\"div\", {\n staticClass: \"app-description\",\n domProps: { innerHTML: _vm._s(_vm.renderMarkdown) }\n })\n ]\n )\n}\nvar staticRenderFns = []\nrender._withStripped = true\n\nexport { render, staticRenderFns }","\n\n\n\n\n","import mod from \"-!../../node_modules/babel-loader/lib/index.js!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./appDetails.vue?vue&type=script&lang=js&\"; export default mod; export * from \"-!../../node_modules/babel-loader/lib/index.js!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./appDetails.vue?vue&type=script&lang=js&\"","import { render, staticRenderFns } from \"./appDetails.vue?vue&type=template&id=273c8e71&\"\nimport script from \"./appDetails.vue?vue&type=script&lang=js&\"\nexport * from \"./appDetails.vue?vue&type=script&lang=js&\"\n\n\n/* normalize component */\nimport normalizer from \"!../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\n/* hot reload */\nif (module.hot) {\n var api = require(\"/home/christoph/workspace/nextcloud/settings/node_modules/vue-hot-reload-api/dist/index.js\")\n api.install(require('vue'))\n if (api.compatible) {\n module.hot.accept()\n if (!module.hot.data) {\n api.createRecord('273c8e71', component.options)\n } else {\n api.reload('273c8e71', component.options)\n }\n module.hot.accept(\"./appDetails.vue?vue&type=template&id=273c8e71&\", function () {\n api.rerender('273c8e71', {\n render: render,\n staticRenderFns: staticRenderFns\n })\n })\n }\n}\ncomponent.options.__file = \"src/components/appDetails.vue\"\nexport default component.exports","\n\n\n\n\n\n","import mod from \"-!../../node_modules/babel-loader/lib/index.js!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Apps.vue?vue&type=script&lang=js&\"; export default mod; export * from \"-!../../node_modules/babel-loader/lib/index.js!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Apps.vue?vue&type=script&lang=js&\"","import { render, staticRenderFns } from \"./Apps.vue?vue&type=template&id=33a216a8&\"\nimport script from \"./Apps.vue?vue&type=script&lang=js&\"\nexport * from \"./Apps.vue?vue&type=script&lang=js&\"\n\n\n/* normalize component */\nimport normalizer from \"!../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\n/* hot reload */\nif (module.hot) {\n var api = require(\"/home/christoph/workspace/nextcloud/settings/node_modules/vue-hot-reload-api/dist/index.js\")\n api.install(require('vue'))\n if (api.compatible) {\n module.hot.accept()\n if (!module.hot.data) {\n api.createRecord('33a216a8', component.options)\n } else {\n api.reload('33a216a8', component.options)\n }\n module.hot.accept(\"./Apps.vue?vue&type=template&id=33a216a8&\", function () {\n api.rerender('33a216a8', {\n render: render,\n staticRenderFns: staticRenderFns\n })\n })\n }\n}\ncomponent.options.__file = \"src/views/Apps.vue\"\nexport default component.exports"],"sourceRoot":""} \ No newline at end of file diff --git a/settings/js/5.js b/settings/js/5.js index 990fe5faab..07905e615a 100644 --- a/settings/js/5.js +++ b/settings/js/5.js @@ -1,4 +1,4 @@ -(window.webpackJsonp=window.webpackJsonp||[]).push([[5],{321:function(e,t){function n(e){return"function"==typeof e.value||(console.warn("[Vue-click-outside:] provided expression",e.expression,"is not a function."),!1)}function i(e){return void 0!==e.componentInstance&&e.componentInstance.$isServer}e.exports={bind:function(e,t,o){function r(t){if(o.context){var n=t.path||t.composedPath&&t.composedPath();n&&n.length>0&&n.unshift(t.target),e.contains(t.target)||function(e,t){if(!e||!t)return!1;for(var n=0,i=t.length;n0&&n.unshift(t.target),e.contains(t.target)||function(e,t){if(!e||!t)return!1;for(var n=0,i=t.length;n=0){o=1;break}var a=n&&window.Promise?function(e){var t=!1;return function(){t||(t=!0,window.Promise.resolve().then(function(){t=!1,e()}))}}:function(e){var t=!1;return function(){t||(t=!0,setTimeout(function(){t=!1,e()},o))}};function s(e){return e&&"[object Function]"==={}.toString.call(e)}function l(e,t){if(1!==e.nodeType)return[];var n=getComputedStyle(e,null);return t?n[t]:n}function c(e){return"HTML"===e.nodeName?e:e.parentNode||e.host}function d(e){if(!e)return document.body;switch(e.nodeName){case"HTML":case"BODY":return e.ownerDocument.body;case"#document":return e.body}var t=l(e),n=t.overflow,i=t.overflowX,o=t.overflowY;return/(auto|scroll|overlay)/.test(n+o+i)?e:d(c(e))}var u=n&&!(!window.MSInputMethodContext||!document.documentMode),p=n&&/MSIE 10/.test(navigator.userAgent);function f(e){return 11===e?u:10===e?p:u||p}function h(e){if(!e)return document.documentElement;for(var t=f(10)?document.body:null,n=e.offsetParent;n===t&&e.nextElementSibling;)n=(e=e.nextElementSibling).offsetParent;var i=n&&n.nodeName;return i&&"BODY"!==i&&"HTML"!==i?-1!==["TD","TABLE"].indexOf(n.nodeName)&&"static"===l(n,"position")?h(n):n:e?e.ownerDocument.documentElement:document.documentElement}function v(e){return null!==e.parentNode?v(e.parentNode):e}function m(e,t){if(!(e&&e.nodeType&&t&&t.nodeType))return document.documentElement;var n=e.compareDocumentPosition(t)&Node.DOCUMENT_POSITION_FOLLOWING,i=n?e:t,o=n?t:e,r=document.createRange();r.setStart(i,0),r.setEnd(o,0);var a=r.commonAncestorContainer;if(e!==a&&t!==a||i.contains(o))return function(e){var t=e.nodeName;return"BODY"!==t&&("HTML"===t||h(e.firstElementChild)===e)}(a)?a:h(a);var s=v(e);return s.host?m(s.host,t):m(e,v(t).host)}function g(e){var t="top"===(arguments.length>1&&void 0!==arguments[1]?arguments[1]:"top")?"scrollTop":"scrollLeft",n=e.nodeName;if("BODY"===n||"HTML"===n){var i=e.ownerDocument.documentElement;return(e.ownerDocument.scrollingElement||i)[t]}return e[t]}function b(e,t){var n="x"===t?"Left":"Top",i="Left"===n?"Right":"Bottom";return parseFloat(e["border"+n+"Width"],10)+parseFloat(e["border"+i+"Width"],10)}function y(e,t,n,i){return Math.max(t["offset"+e],t["scroll"+e],n["client"+e],n["offset"+e],n["scroll"+e],f(10)?n["offset"+e]+i["margin"+("Height"===e?"Top":"Left")]+i["margin"+("Height"===e?"Bottom":"Right")]:0)}function _(){var e=document.body,t=document.documentElement,n=f(10)&&getComputedStyle(t);return{height:y("Height",e,t,n),width:y("Width",e,t,n)}}var w=function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")},x=function(){function e(e,t){for(var n=0;n2&&void 0!==arguments[2]&&arguments[2],i=f(10),o="HTML"===t.nodeName,r=k(e),a=k(t),s=d(e),c=l(t),u=parseFloat(c.borderTopWidth,10),p=parseFloat(c.borderLeftWidth,10);n&&"HTML"===t.nodeName&&(a.top=Math.max(a.top,0),a.left=Math.max(a.left,0));var h=C({top:r.top-a.top-u,left:r.left-a.left-p,width:r.width,height:r.height});if(h.marginTop=0,h.marginLeft=0,!i&&o){var v=parseFloat(c.marginTop,10),m=parseFloat(c.marginLeft,10);h.top-=u-v,h.bottom-=u-v,h.left-=p-m,h.right-=p-m,h.marginTop=v,h.marginLeft=m}return(i&&!n?t.contains(s):t===s&&"BODY"!==s.nodeName)&&(h=function(e,t){var n=arguments.length>2&&void 0!==arguments[2]&&arguments[2],i=g(t,"top"),o=g(t,"left"),r=n?-1:1;return e.top+=i*r,e.bottom+=i*r,e.left+=o*r,e.right+=o*r,e}(h,t)),h}function $(e){if(!e||!e.parentElement||f())return document.documentElement;for(var t=e.parentElement;t&&"none"===l(t,"transform");)t=t.parentElement;return t||document.documentElement}function L(e,t,n,i){var o=arguments.length>4&&void 0!==arguments[4]&&arguments[4],r={top:0,left:0},a=o?$(e):m(e,t);if("viewport"===i)r=function(e){var t=arguments.length>1&&void 0!==arguments[1]&&arguments[1],n=e.ownerDocument.documentElement,i=T(e,n),o=Math.max(n.clientWidth,window.innerWidth||0),r=Math.max(n.clientHeight,window.innerHeight||0),a=t?0:g(n),s=t?0:g(n,"left");return C({top:a-i.top+i.marginTop,left:s-i.left+i.marginLeft,width:o,height:r})}(a,o);else{var s=void 0;"scrollParent"===i?"BODY"===(s=d(c(t))).nodeName&&(s=e.ownerDocument.documentElement):s="window"===i?e.ownerDocument.documentElement:i;var u=T(s,a,o);if("HTML"!==s.nodeName||function e(t){var n=t.nodeName;return"BODY"!==n&&"HTML"!==n&&("fixed"===l(t,"position")||e(c(t)))}(a))r=u;else{var p=_(),f=p.height,h=p.width;r.top+=u.top-u.marginTop,r.bottom=f+u.top,r.left+=u.left-u.marginLeft,r.right=h+u.left}}return r.left+=n,r.top+=n,r.right-=n,r.bottom-=n,r}function N(e,t,n,i,o){var r=arguments.length>5&&void 0!==arguments[5]?arguments[5]:0;if(-1===e.indexOf("auto"))return e;var a=L(n,i,r,o),s={top:{width:a.width,height:t.top-a.top},right:{width:a.right-t.right,height:a.height},bottom:{width:a.width,height:a.bottom-t.bottom},left:{width:t.left-a.left,height:a.height}},l=Object.keys(s).map(function(e){return E({key:e},s[e],{area:function(e){return e.width*e.height}(s[e])})}).sort(function(e,t){return t.area-e.area}),c=l.filter(function(e){var t=e.width,i=e.height;return t>=n.clientWidth&&i>=n.clientHeight}),d=c.length>0?c[0].key:l[0].key,u=e.split("-")[1];return d+(u?"-"+u:"")}function S(e,t,n){var i=arguments.length>3&&void 0!==arguments[3]?arguments[3]:null;return T(n,i?$(t):m(t,n),i)}function I(e){var t=getComputedStyle(e),n=parseFloat(t.marginTop)+parseFloat(t.marginBottom),i=parseFloat(t.marginLeft)+parseFloat(t.marginRight);return{width:e.offsetWidth+i,height:e.offsetHeight+n}}function j(e){var t={left:"right",right:"left",bottom:"top",top:"bottom"};return e.replace(/left|right|bottom|top/g,function(e){return t[e]})}function A(e,t,n){n=n.split("-")[0];var i=I(e),o={width:i.width,height:i.height},r=-1!==["right","left"].indexOf(n),a=r?"top":"left",s=r?"left":"top",l=r?"height":"width",c=r?"width":"height";return o[a]=t[a]+t[l]/2-i[l]/2,o[s]=n===s?t[s]-i[c]:t[j(s)],o}function P(e,t){return Array.prototype.find?e.find(t):e.filter(t)[0]}function D(e,t,n){return(void 0===n?e:e.slice(0,function(e,t,n){if(Array.prototype.findIndex)return e.findIndex(function(e){return e[t]===n});var i=P(e,function(e){return e[t]===n});return e.indexOf(i)}(e,"name",n))).forEach(function(e){e.function&&console.warn("`modifier.function` is deprecated, use `modifier.fn`!");var n=e.function||e.fn;e.enabled&&s(n)&&(t.offsets.popper=C(t.offsets.popper),t.offsets.reference=C(t.offsets.reference),t=n(t,e))}),t}function H(e,t){return e.some(function(e){var n=e.name;return e.enabled&&n===t})}function M(e){for(var t=[!1,"ms","Webkit","Moz","O"],n=e.charAt(0).toUpperCase()+e.slice(1),i=0;i1&&void 0!==arguments[1]&&arguments[1],n=Y.indexOf(e),i=Y.slice(n+1).concat(Y.slice(0,n));return t?i.reverse():i}var G={FLIP:"flip",CLOCKWISE:"clockwise",COUNTERCLOCKWISE:"counterclockwise"};function X(e,t,n,i){var o=[0,0],r=-1!==["right","left"].indexOf(i),a=e.split(/(\+|\-)/).map(function(e){return e.trim()}),s=a.indexOf(P(a,function(e){return-1!==e.search(/,|\s/)}));a[s]&&-1===a[s].indexOf(",")&&console.warn("Offsets separated by white space(s) are deprecated, use a comma (,) instead.");var l=/\s*,\s*|\s+/,c=-1!==s?[a.slice(0,s).concat([a[s].split(l)[0]]),[a[s].split(l)[1]].concat(a.slice(s+1))]:[a];return(c=c.map(function(e,i){var o=(1===i?!r:r)?"height":"width",a=!1;return e.reduce(function(e,t){return""===e[e.length-1]&&-1!==["+","-"].indexOf(t)?(e[e.length-1]=t,a=!0,e):a?(e[e.length-1]+=t,a=!1,e):e.concat(t)},[]).map(function(e){return function(e,t,n,i){var o=e.match(/((?:\-|\+)?\d*\.?\d*)(.*)/),r=+o[1],a=o[2];if(!r)return e;if(0===a.indexOf("%")){var s=void 0;switch(a){case"%p":s=n;break;case"%":case"%r":default:s=i}return C(s)[t]/100*r}if("vh"===a||"vw"===a)return("vh"===a?Math.max(document.documentElement.clientHeight,window.innerHeight||0):Math.max(document.documentElement.clientWidth,window.innerWidth||0))/100*r;return r}(e,o,t,n)})})).forEach(function(e,t){e.forEach(function(n,i){z(n)&&(o[t]+=n*("-"===e[i-1]?-1:1))})}),o}var J={placement:"bottom",positionFixed:!1,eventsEnabled:!0,removeOnDestroy:!1,onCreate:function(){},onUpdate:function(){},modifiers:{shift:{order:100,enabled:!0,fn:function(e){var t=e.placement,n=t.split("-")[0],i=t.split("-")[1];if(i){var o=e.offsets,r=o.reference,a=o.popper,s=-1!==["bottom","top"].indexOf(n),l=s?"left":"top",c=s?"width":"height",d={start:O({},l,r[l]),end:O({},l,r[l]+r[c]-a[c])};e.offsets.popper=E({},a,d[i])}return e}},offset:{order:200,enabled:!0,fn:function(e,t){var n=t.offset,i=e.placement,o=e.offsets,r=o.popper,a=o.reference,s=i.split("-")[0],l=void 0;return l=z(+n)?[+n,0]:X(n,r,a,s),"left"===s?(r.top+=l[0],r.left-=l[1]):"right"===s?(r.top+=l[0],r.left+=l[1]):"top"===s?(r.left+=l[0],r.top-=l[1]):"bottom"===s&&(r.left+=l[0],r.top+=l[1]),e.popper=r,e},offset:0},preventOverflow:{order:300,enabled:!0,fn:function(e,t){var n=t.boundariesElement||h(e.instance.popper);e.instance.reference===n&&(n=h(n));var i=M("transform"),o=e.instance.popper.style,r=o.top,a=o.left,s=o[i];o.top="",o.left="",o[i]="";var l=L(e.instance.popper,e.instance.reference,t.padding,n,e.positionFixed);o.top=r,o.left=a,o[i]=s,t.boundaries=l;var c=t.priority,d=e.offsets.popper,u={primary:function(e){var n=d[e];return d[e]l[e]&&!t.escapeWithReference&&(i=Math.min(d[n],l[e]-("right"===e?d.width:d.height))),O({},n,i)}};return c.forEach(function(e){var t=-1!==["left","top"].indexOf(e)?"primary":"secondary";d=E({},d,u[t](e))}),e.offsets.popper=d,e},priority:["left","right","top","bottom"],padding:5,boundariesElement:"scrollParent"},keepTogether:{order:400,enabled:!0,fn:function(e){var t=e.offsets,n=t.popper,i=t.reference,o=e.placement.split("-")[0],r=Math.floor,a=-1!==["top","bottom"].indexOf(o),s=a?"right":"bottom",l=a?"left":"top",c=a?"width":"height";return n[s]r(i[s])&&(e.offsets.popper[l]=r(i[s])),e}},arrow:{order:500,enabled:!0,fn:function(e,t){var n;if(!W(e.instance.modifiers,"arrow","keepTogether"))return e;var i=t.element;if("string"==typeof i){if(!(i=e.instance.popper.querySelector(i)))return e}else if(!e.instance.popper.contains(i))return console.warn("WARNING: `arrow.element` must be child of its popper element!"),e;var o=e.placement.split("-")[0],r=e.offsets,a=r.popper,s=r.reference,c=-1!==["left","right"].indexOf(o),d=c?"height":"width",u=c?"Top":"Left",p=u.toLowerCase(),f=c?"left":"top",h=c?"bottom":"right",v=I(i)[d];s[h]-va[h]&&(e.offsets.popper[p]+=s[p]+v-a[h]),e.offsets.popper=C(e.offsets.popper);var m=s[p]+s[d]/2-v/2,g=l(e.instance.popper),b=parseFloat(g["margin"+u],10),y=parseFloat(g["border"+u+"Width"],10),_=m-e.offsets.popper[p]-b-y;return _=Math.max(Math.min(a[d]-v,_),0),e.arrowElement=i,e.offsets.arrow=(O(n={},p,Math.round(_)),O(n,f,""),n),e},element:"[x-arrow]"},flip:{order:600,enabled:!0,fn:function(e,t){if(H(e.instance.modifiers,"inner"))return e;if(e.flipped&&e.placement===e.originalPlacement)return e;var n=L(e.instance.popper,e.instance.reference,t.padding,t.boundariesElement,e.positionFixed),i=e.placement.split("-")[0],o=j(i),r=e.placement.split("-")[1]||"",a=[];switch(t.behavior){case G.FLIP:a=[i,o];break;case G.CLOCKWISE:a=q(i);break;case G.COUNTERCLOCKWISE:a=q(i,!0);break;default:a=t.behavior}return a.forEach(function(s,l){if(i!==s||a.length===l+1)return e;i=e.placement.split("-")[0],o=j(i);var c=e.offsets.popper,d=e.offsets.reference,u=Math.floor,p="left"===i&&u(c.right)>u(d.left)||"right"===i&&u(c.left)u(d.top)||"bottom"===i&&u(c.top)u(n.right),v=u(c.top)u(n.bottom),g="left"===i&&f||"right"===i&&h||"top"===i&&v||"bottom"===i&&m,b=-1!==["top","bottom"].indexOf(i),y=!!t.flipVariations&&(b&&"start"===r&&f||b&&"end"===r&&h||!b&&"start"===r&&v||!b&&"end"===r&&m);(p||g||y)&&(e.flipped=!0,(p||g)&&(i=a[l+1]),y&&(r=function(e){return"end"===e?"start":"start"===e?"end":e}(r)),e.placement=i+(r?"-"+r:""),e.offsets.popper=E({},e.offsets.popper,A(e.instance.popper,e.offsets.reference,e.placement)),e=D(e.instance.modifiers,e,"flip"))}),e},behavior:"flip",padding:5,boundariesElement:"viewport"},inner:{order:700,enabled:!1,fn:function(e){var t=e.placement,n=t.split("-")[0],i=e.offsets,o=i.popper,r=i.reference,a=-1!==["left","right"].indexOf(n),s=-1===["top","left"].indexOf(n);return o[a?"left":"top"]=r[n]-(s?o[a?"width":"height"]:0),e.placement=j(t),e.offsets.popper=C(o),e}},hide:{order:800,enabled:!0,fn:function(e){if(!W(e.instance.modifiers,"hide","preventOverflow"))return e;var t=e.offsets.reference,n=P(e.instance.modifiers,function(e){return"preventOverflow"===e.name}).boundaries;if(t.bottomn.right||t.top>n.bottom||t.right2&&void 0!==arguments[2]?arguments[2]:{};w(this,e),this.scheduleUpdate=function(){return requestAnimationFrame(i.update)},this.update=a(this.update.bind(this)),this.options=E({},e.Defaults,o),this.state={isDestroyed:!1,isCreated:!1,scrollParents:[]},this.reference=t&&t.jquery?t[0]:t,this.popper=n&&n.jquery?n[0]:n,this.options.modifiers={},Object.keys(E({},e.Defaults.modifiers,o.modifiers)).forEach(function(t){i.options.modifiers[t]=E({},e.Defaults.modifiers[t]||{},o.modifiers?o.modifiers[t]:{})}),this.modifiers=Object.keys(this.options.modifiers).map(function(e){return E({name:e},i.options.modifiers[e])}).sort(function(e,t){return e.order-t.order}),this.modifiers.forEach(function(e){e.enabled&&s(e.onLoad)&&e.onLoad(i.reference,i.popper,i.options,e,i.state)}),this.update();var r=this.options.eventsEnabled;r&&this.enableEventListeners(),this.state.eventsEnabled=r}return x(e,[{key:"update",value:function(){return function(){if(!this.state.isDestroyed){var e={instance:this,styles:{},arrowStyles:{},attributes:{},flipped:!1,offsets:{}};e.offsets.reference=S(this.state,this.popper,this.reference,this.options.positionFixed),e.placement=N(this.options.placement,e.offsets.reference,this.popper,this.reference,this.options.modifiers.flip.boundariesElement,this.options.modifiers.flip.padding),e.originalPlacement=e.placement,e.positionFixed=this.options.positionFixed,e.offsets.popper=A(this.popper,e.offsets.reference,e.placement),e.offsets.popper.position=this.options.positionFixed?"fixed":"absolute",e=D(this.modifiers,e),this.state.isCreated?this.options.onUpdate(e):(this.state.isCreated=!0,this.options.onCreate(e))}}.call(this)}},{key:"destroy",value:function(){return function(){return this.state.isDestroyed=!0,H(this.modifiers,"applyStyle")&&(this.popper.removeAttribute("x-placement"),this.popper.style.position="",this.popper.style.top="",this.popper.style.left="",this.popper.style.right="",this.popper.style.bottom="",this.popper.style.willChange="",this.popper.style[M("transform")]=""),this.disableEventListeners(),this.options.removeOnDestroy&&this.popper.parentNode.removeChild(this.popper),this}.call(this)}},{key:"enableEventListeners",value:function(){return function(){this.state.eventsEnabled||(this.state=R(this.reference,this.options,this.state,this.scheduleUpdate))}.call(this)}},{key:"disableEventListeners",value:function(){return B.call(this)}}]),e}();K.Utils=("undefined"!=typeof window?window:e).PopperUtils,K.placements=V,K.Defaults=J;var Q=function(){};function Z(e){return"string"==typeof e&&(e=e.split(" ")),e}function ee(e,t){var n=Z(t),i=void 0;i=e.className instanceof Q?Z(e.className.baseVal):Z(e.className),n.forEach(function(e){-1===i.indexOf(e)&&i.push(e)}),e instanceof SVGElement?e.setAttribute("class",i.join(" ")):e.className=i.join(" ")}function te(e,t){var n=Z(t),i=void 0;i=e.className instanceof Q?Z(e.className.baseVal):Z(e.className),n.forEach(function(e){var t=i.indexOf(e);-1!==t&&i.splice(t,1)}),e instanceof SVGElement?e.setAttribute("class",i.join(" ")):e.className=i.join(" ")}"undefined"!=typeof window&&(Q=window.SVGAnimatedString);var ne=!1;if("undefined"!=typeof window){ne=!1;try{var ie=Object.defineProperty({},"passive",{get:function(){ne=!0}});window.addEventListener("test",null,ie)}catch(e){}}var oe="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e},re=function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")},ae=function(){function e(e,t){for(var n=0;n
',trigger:"hover focus",offset:0},ce=[],de=function(){function e(t,n){re(this,e),ue.call(this),n=se({},le,n),t.jquery&&(t=t[0]),this.reference=t,this.options=n,this._isOpen=!1,this._init()}return ae(e,[{key:"setClasses",value:function(e){this._classes=e}},{key:"setContent",value:function(e){this.options.title=e,this._tooltipNode&&this._setContent(e,this.options)}},{key:"setOptions",value:function(e){var t=!1,n=e&&e.classes||_e.options.defaultClass;this._classes!==n&&(this.setClasses(n),t=!0),e=ve(e);var i=!1,o=!1;for(var r in this.options.offset===e.offset&&this.options.placement===e.placement||(i=!0),(this.options.template!==e.template||this.options.trigger!==e.trigger||this.options.container!==e.container||t)&&(o=!0),e)this.options[r]=e[r];if(this._tooltipNode)if(o){var a=this._isOpen;this.dispose(),this._init(),a&&this.show()}else i&&this.popperInstance.update()}},{key:"_init",value:function(){var e="string"==typeof this.options.trigger?this.options.trigger.split(" ").filter(function(e){return-1!==["click","hover","focus"].indexOf(e)}):[];this._isDisposed=!1,this._enableDocumentTouch=-1===e.indexOf("manual"),this._setEventListeners(this.reference,e,this.options)}},{key:"_create",value:function(e,t){var n=window.document.createElement("div");n.innerHTML=t.trim();var i=n.childNodes[0];return i.id="tooltip_"+Math.random().toString(36).substr(2,10),i.setAttribute("aria-hidden","true"),this.options.autoHide&&-1!==this.options.trigger.indexOf("hover")&&(i.addEventListener("mouseenter",this.hide),i.addEventListener("click",this.hide)),i}},{key:"_setContent",value:function(e,t){var n=this;this.asyncContent=!1,this._applyContent(e,t).then(function(){n.popperInstance.update()})}},{key:"_applyContent",value:function(e,t){var n=this;return new Promise(function(i,o){var r=t.html,a=n._tooltipNode;if(a){var s=a.querySelector(n.options.innerSelector);if(1===e.nodeType){if(r){for(;s.firstChild;)s.removeChild(s.firstChild);s.appendChild(e)}}else{if("function"==typeof e){var l=e();return void(l&&"function"==typeof l.then?(n.asyncContent=!0,t.loadingClass&&ee(a,t.loadingClass),t.loadingContent&&n._applyContent(t.loadingContent,t),l.then(function(e){return t.loadingClass&&te(a,t.loadingClass),n._applyContent(e,t)}).then(i).catch(o)):n._applyContent(l,t).then(i).catch(o))}r?s.innerHTML=e:s.innerText=e}i()}})}},{key:"_show",value:function(e,t){if(t&&"string"==typeof t.container&&!document.querySelector(t.container))return;clearTimeout(this._disposeTimer),delete(t=Object.assign({},t)).offset;var n=!0;this._tooltipNode&&(ee(this._tooltipNode,this._classes),n=!1);var i=this._ensureShown(e,t);return n&&this._tooltipNode&&ee(this._tooltipNode,this._classes),ee(e,["v-tooltip-open"]),i}},{key:"_ensureShown",value:function(e,t){var n=this;if(this._isOpen)return this;if(this._isOpen=!0,ce.push(this),this._tooltipNode)return this._tooltipNode.style.display="",this._tooltipNode.setAttribute("aria-hidden","false"),this.popperInstance.enableEventListeners(),this.popperInstance.update(),this.asyncContent&&this._setContent(t.title,t),this;var i=e.getAttribute("title")||t.title;if(!i)return this;var o=this._create(e,t.template);this._tooltipNode=o,this._setContent(i,t),e.setAttribute("aria-describedby",o.id);var r=this._findContainer(t.container,e);this._append(o,r);var a=se({},t.popperOptions,{placement:t.placement});return a.modifiers=se({},a.modifiers,{arrow:{element:this.options.arrowSelector}}),t.boundariesElement&&(a.modifiers.preventOverflow={boundariesElement:t.boundariesElement}),this.popperInstance=new K(e,o,a),requestAnimationFrame(function(){!n._isDisposed&&n.popperInstance?(n.popperInstance.update(),requestAnimationFrame(function(){n._isDisposed?n.dispose():n._isOpen&&o.setAttribute("aria-hidden","false")})):n.dispose()}),this}},{key:"_noLongerOpen",value:function(){var e=ce.indexOf(this);-1!==e&&ce.splice(e,1)}},{key:"_hide",value:function(){var e=this;if(!this._isOpen)return this;this._isOpen=!1,this._noLongerOpen(),this._tooltipNode.style.display="none",this._tooltipNode.setAttribute("aria-hidden","true"),this.popperInstance.disableEventListeners(),clearTimeout(this._disposeTimer);var t=_e.options.disposeTimeout;return null!==t&&(this._disposeTimer=setTimeout(function(){e._tooltipNode&&(e._tooltipNode.removeEventListener("mouseenter",e.hide),e._tooltipNode.removeEventListener("click",e.hide),e._tooltipNode.parentNode.removeChild(e._tooltipNode),e._tooltipNode=null)},t)),te(this.reference,["v-tooltip-open"]),this}},{key:"_dispose",value:function(){var e=this;return this._isDisposed=!0,this._events.forEach(function(t){var n=t.func,i=t.event;e.reference.removeEventListener(i,n)}),this._events=[],this._tooltipNode?(this._hide(),this._tooltipNode.removeEventListener("mouseenter",this.hide),this._tooltipNode.removeEventListener("click",this.hide),this.popperInstance.destroy(),this.popperInstance.options.removeOnDestroy||(this._tooltipNode.parentNode.removeChild(this._tooltipNode),this._tooltipNode=null)):this._noLongerOpen(),this}},{key:"_findContainer",value:function(e,t){return"string"==typeof e?e=window.document.querySelector(e):!1===e&&(e=t.parentNode),e}},{key:"_append",value:function(e,t){t.appendChild(e)}},{key:"_setEventListeners",value:function(e,t,n){var i=this,o=[],r=[];t.forEach(function(e){switch(e){case"hover":o.push("mouseenter"),r.push("mouseleave"),i.options.hideOnTargetClick&&r.push("click");break;case"focus":o.push("focus"),r.push("blur"),i.options.hideOnTargetClick&&r.push("click");break;case"click":o.push("click"),r.push("click")}}),o.forEach(function(t){var o=function(t){!0!==i._isOpen&&(t.usedByTooltip=!0,i._scheduleShow(e,n.delay,n,t))};i._events.push({event:t,func:o}),e.addEventListener(t,o)}),r.forEach(function(t){var o=function(t){!0!==t.usedByTooltip&&i._scheduleHide(e,n.delay,n,t)};i._events.push({event:t,func:o}),e.addEventListener(t,o)})}},{key:"_onDocumentTouch",value:function(e){this._enableDocumentTouch&&this._scheduleHide(this.reference,this.options.delay,this.options,e)}},{key:"_scheduleShow",value:function(e,t,n){var i=this,o=t&&t.show||t||0;clearTimeout(this._scheduleTimer),this._scheduleTimer=window.setTimeout(function(){return i._show(e,n)},o)}},{key:"_scheduleHide",value:function(e,t,n,i){var o=this,r=t&&t.hide||t||0;clearTimeout(this._scheduleTimer),this._scheduleTimer=window.setTimeout(function(){if(!1!==o._isOpen&&document.body.contains(o._tooltipNode)){if("mouseleave"===i.type)if(o._setTooltipNodeEvent(i,e,t,n))return;o._hide(e,n)}},r)}}]),e}(),ue=function(){var e=this;this.show=function(){e._show(e.reference,e.options)},this.hide=function(){e._hide()},this.dispose=function(){e._dispose()},this.toggle=function(){return e._isOpen?e.hide():e.show()},this._events=[],this._setTooltipNodeEvent=function(t,n,i,o){var r=t.relatedreference||t.toElement||t.relatedTarget;return!!e._tooltipNode.contains(r)&&(e._tooltipNode.addEventListener(t.type,function i(r){var a=r.relatedreference||r.toElement||r.relatedTarget;e._tooltipNode.removeEventListener(t.type,i),n.contains(a)||e._scheduleHide(n,o.delay,o,r)}),!0)}};"undefined"!=typeof document&&document.addEventListener("touchstart",function(e){for(var t=0;t
',defaultArrowSelector:".tooltip-arrow, .tooltip__arrow",defaultInnerSelector:".tooltip-inner, .tooltip__inner",defaultDelay:0,defaultTrigger:"hover focus",defaultOffset:0,defaultContainer:"body",defaultBoundariesElement:void 0,defaultPopperOptions:{},defaultLoadingClass:"tooltip-loading",defaultLoadingContent:"...",autoHide:!0,defaultHideOnTargetClick:!0,disposeTimeout:5e3,popover:{defaultPlacement:"bottom",defaultClass:"vue-popover-theme",defaultBaseClass:"tooltip popover",defaultWrapperClass:"wrapper",defaultInnerClass:"tooltip-inner popover-inner",defaultArrowClass:"tooltip-arrow popover-arrow",defaultDelay:0,defaultTrigger:"click",defaultOffset:0,defaultContainer:"body",defaultBoundariesElement:void 0,defaultPopperOptions:{},defaultAutoHide:!0,defaultHandleResize:!0}};function ve(e){var t={placement:void 0!==e.placement?e.placement:_e.options.defaultPlacement,delay:void 0!==e.delay?e.delay:_e.options.defaultDelay,html:void 0!==e.html?e.html:_e.options.defaultHtml,template:void 0!==e.template?e.template:_e.options.defaultTemplate,arrowSelector:void 0!==e.arrowSelector?e.arrowSelector:_e.options.defaultArrowSelector,innerSelector:void 0!==e.innerSelector?e.innerSelector:_e.options.defaultInnerSelector,trigger:void 0!==e.trigger?e.trigger:_e.options.defaultTrigger,offset:void 0!==e.offset?e.offset:_e.options.defaultOffset,container:void 0!==e.container?e.container:_e.options.defaultContainer,boundariesElement:void 0!==e.boundariesElement?e.boundariesElement:_e.options.defaultBoundariesElement,autoHide:void 0!==e.autoHide?e.autoHide:_e.options.autoHide,hideOnTargetClick:void 0!==e.hideOnTargetClick?e.hideOnTargetClick:_e.options.defaultHideOnTargetClick,loadingClass:void 0!==e.loadingClass?e.loadingClass:_e.options.defaultLoadingClass,loadingContent:void 0!==e.loadingContent?e.loadingContent:_e.options.defaultLoadingContent,popperOptions:se({},void 0!==e.popperOptions?e.popperOptions:_e.options.defaultPopperOptions)};if(t.offset){var n=oe(t.offset),i=t.offset;("number"===n||"string"===n&&-1===i.indexOf(","))&&(i="0, "+i),t.popperOptions.modifiers||(t.popperOptions.modifiers={}),t.popperOptions.modifiers.offset={offset:i}}return t.trigger&&-1!==t.trigger.indexOf("click")&&(t.hideOnTargetClick=!1),t}function me(e,t){for(var n=e.placement,i=0;i2&&void 0!==arguments[2]?arguments[2]:{},i=ge(t),o=void 0!==t.classes?t.classes:_e.options.defaultClass,r=se({title:i},ve(se({},t,{placement:me(t,n)}))),a=e._tooltip=new de(e,r);a.setClasses(o),a._vueEl=e;var s=void 0!==t.targetClasses?t.targetClasses:_e.options.defaultTargetClass;return e._tooltipTargetClasses=s,ee(e,s),a}(e,n,i),void 0!==n.show&&n.show!==e._tooltipOldShow&&(e._tooltipOldShow=n.show,n.show?r.show():r.hide())}else be(e)}var _e={options:he,bind:ye,update:ye,unbind:function(e){be(e)}};function we(e){e.addEventListener("click",Oe),e.addEventListener("touchstart",Ee,!!ne&&{passive:!0})}function xe(e){e.removeEventListener("click",Oe),e.removeEventListener("touchstart",Ee),e.removeEventListener("touchend",Ce),e.removeEventListener("touchcancel",ke)}function Oe(e){var t=e.currentTarget;e.closePopover=!t.$_vclosepopover_touch,e.closeAllPopover=t.$_closePopoverModifiers&&!!t.$_closePopoverModifiers.all}function Ee(e){if(1===e.changedTouches.length){var t=e.currentTarget;t.$_vclosepopover_touch=!0;var n=e.changedTouches[0];t.$_vclosepopover_touchPoint=n,t.addEventListener("touchend",Ce),t.addEventListener("touchcancel",ke)}}function Ce(e){var t=e.currentTarget;if(t.$_vclosepopover_touch=!1,1===e.changedTouches.length){var n=e.changedTouches[0],i=t.$_vclosepopover_touchPoint;e.closePopover=Math.abs(n.screenY-i.screenY)<20&&Math.abs(n.screenX-i.screenX)<20,e.closeAllPopover=t.$_closePopoverModifiers&&!!t.$_closePopoverModifiers.all}}function ke(e){e.currentTarget.$_vclosepopover_touch=!1}var Te={bind:function(e,t){var n=t.value,i=t.modifiers;e.$_closePopoverModifiers=i,(void 0===n||n)&&we(e)},update:function(e,t){var n=t.value,i=t.oldValue,o=t.modifiers;e.$_closePopoverModifiers=o,n!==i&&(void 0===n||n?we(e):xe(e))},unbind:function(e){xe(e)}};var $e=void 0;function Le(){Le.init||(Le.init=!0,$e=-1!==function(){var e=window.navigator.userAgent,t=e.indexOf("MSIE ");if(t>0)return parseInt(e.substring(t+5,e.indexOf(".",t)),10);if(e.indexOf("Trident/")>0){var n=e.indexOf("rv:");return parseInt(e.substring(n+3,e.indexOf(".",n)),10)}var i=e.indexOf("Edge/");return i>0?parseInt(e.substring(i+5,e.indexOf(".",i)),10):-1}())}var Ne={render:function(){var e=this.$createElement;return(this._self._c||e)("div",{staticClass:"resize-observer",attrs:{tabindex:"-1"}})},staticRenderFns:[],_scopeId:"data-v-b329ee4c",name:"resize-observer",methods:{notify:function(){this.$emit("notify")},addResizeHandlers:function(){this._resizeObject.contentDocument.defaultView.addEventListener("resize",this.notify),this._w===this.$el.offsetWidth&&this._h===this.$el.offsetHeight||this.notify()},removeResizeHandlers:function(){this._resizeObject&&this._resizeObject.onload&&(!$e&&this._resizeObject.contentDocument&&this._resizeObject.contentDocument.defaultView.removeEventListener("resize",this.notify),delete this._resizeObject.onload)}},mounted:function(){var e=this;Le(),this.$nextTick(function(){e._w=e.$el.offsetWidth,e._h=e.$el.offsetHeight});var t=document.createElement("object");this._resizeObject=t,t.setAttribute("style","display: block; position: absolute; top: 0; left: 0; height: 100%; width: 100%; overflow: hidden; pointer-events: none; z-index: -1;"),t.setAttribute("aria-hidden","true"),t.setAttribute("tabindex",-1),t.onload=this.addResizeHandlers,t.type="text/html",$e&&this.$el.appendChild(t),t.data="about:blank",$e||this.$el.appendChild(t)},beforeDestroy:function(){this.removeResizeHandlers()}};var Se={version:"0.4.4",install:function(e){e.component("resize-observer",Ne)}},Ie=null;function je(e){var t=_e.options.popover[e];return void 0===t?_e.options[e]:t}"undefined"!=typeof window?Ie=window.Vue:void 0!==e&&(Ie=e.Vue),Ie&&Ie.use(Se);var Ae=!1;"undefined"!=typeof window&&"undefined"!=typeof navigator&&(Ae=/iPad|iPhone|iPod/.test(navigator.userAgent)&&!window.MSStream);var Pe=[],De=function(){};"undefined"!=typeof window&&(De=window.Element);var He={render:function(){var e=this,t=e.$createElement,n=e._self._c||t;return n("div",{staticClass:"v-popover",class:e.cssClass},[n("span",{ref:"trigger",staticClass:"trigger",staticStyle:{display:"inline-block"},attrs:{"aria-describedby":e.popoverId,tabindex:-1!==e.trigger.indexOf("focus")?0:-1}},[e._t("default")],2),e._v(" "),n("div",{ref:"popover",class:[e.popoverBaseClass,e.popoverClass,e.cssClass],style:{visibility:e.isOpen?"visible":"hidden"},attrs:{id:e.popoverId,"aria-hidden":e.isOpen?"false":"true"}},[n("div",{class:e.popoverWrapperClass},[n("div",{ref:"inner",class:e.popoverInnerClass,staticStyle:{position:"relative"}},[n("div",[e._t("popover")],2),e._v(" "),e.handleResize?n("ResizeObserver",{on:{notify:e.$_handleResize}}):e._e()],1),e._v(" "),n("div",{ref:"arrow",class:e.popoverArrowClass})])])])},staticRenderFns:[],name:"VPopover",components:{ResizeObserver:Ne},props:{open:{type:Boolean,default:!1},disabled:{type:Boolean,default:!1},placement:{type:String,default:function(){return je("defaultPlacement")}},delay:{type:[String,Number,Object],default:function(){return je("defaultDelay")}},offset:{type:[String,Number],default:function(){return je("defaultOffset")}},trigger:{type:String,default:function(){return je("defaultTrigger")}},container:{type:[String,Object,De,Boolean],default:function(){return je("defaultContainer")}},boundariesElement:{type:[String,De],default:function(){return je("defaultBoundariesElement")}},popperOptions:{type:Object,default:function(){return je("defaultPopperOptions")}},popoverClass:{type:[String,Array],default:function(){return je("defaultClass")}},popoverBaseClass:{type:[String,Array],default:function(){return _e.options.popover.defaultBaseClass}},popoverInnerClass:{type:[String,Array],default:function(){return _e.options.popover.defaultInnerClass}},popoverWrapperClass:{type:[String,Array],default:function(){return _e.options.popover.defaultWrapperClass}},popoverArrowClass:{type:[String,Array],default:function(){return _e.options.popover.defaultArrowClass}},autoHide:{type:Boolean,default:function(){return _e.options.popover.defaultAutoHide}},handleResize:{type:Boolean,default:function(){return _e.options.popover.defaultHandleResize}},openGroup:{type:String,default:null}},data:function(){return{isOpen:!1,id:Math.random().toString(36).substr(2,10)}},computed:{cssClass:function(){return{open:this.isOpen}},popoverId:function(){return"popover_"+this.id}},watch:{open:function(e){e?this.show():this.hide()},disabled:function(e,t){e!==t&&(e?this.hide():this.open&&this.show())},container:function(e){if(this.isOpen&&this.popperInstance){var t=this.$refs.popover,n=this.$refs.trigger,i=this.$_findContainer(this.container,n);if(!i)return void console.warn("No container for popover",this);i.appendChild(t),this.popperInstance.scheduleUpdate()}},trigger:function(e){this.$_removeEventListeners(),this.$_addEventListeners()},placement:function(e){var t=this;this.$_updatePopper(function(){t.popperInstance.options.placement=e})},offset:"$_restartPopper",boundariesElement:"$_restartPopper",popperOptions:{handler:"$_restartPopper",deep:!0}},created:function(){this.$_isDisposed=!1,this.$_mounted=!1,this.$_events=[],this.$_preventOpen=!1},mounted:function(){var e=this.$refs.popover;e.parentNode&&e.parentNode.removeChild(e),this.$_init(),this.open&&this.show()},beforeDestroy:function(){this.dispose()},methods:{show:function(){var e=this,t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},n=t.event,i=(t.skipDelay,t.force);!(void 0!==i&&i)&&this.disabled||(this.$_scheduleShow(n),this.$emit("show")),this.$emit("update:open",!0),this.$_beingShowed=!0,requestAnimationFrame(function(){e.$_beingShowed=!1})},hide:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=e.event;e.skipDelay;this.$_scheduleHide(t),this.$emit("hide"),this.$emit("update:open",!1)},dispose:function(){if(this.$_isDisposed=!0,this.$_removeEventListeners(),this.hide({skipDelay:!0}),this.popperInstance&&(this.popperInstance.destroy(),!this.popperInstance.options.removeOnDestroy)){var e=this.$refs.popover;e.parentNode&&e.parentNode.removeChild(e)}this.$_mounted=!1,this.popperInstance=null,this.isOpen=!1,this.$emit("dispose")},$_init:function(){-1===this.trigger.indexOf("manual")&&this.$_addEventListeners()},$_show:function(){var e=this,t=this.$refs.trigger,n=this.$refs.popover;if(clearTimeout(this.$_disposeTimer),!this.isOpen){if(this.popperInstance&&(this.isOpen=!0,this.popperInstance.enableEventListeners(),this.popperInstance.scheduleUpdate()),!this.$_mounted){var i=this.$_findContainer(this.container,t);if(!i)return void console.warn("No container for popover",this);i.appendChild(n),this.$_mounted=!0}if(!this.popperInstance){var o=se({},this.popperOptions,{placement:this.placement});if(o.modifiers=se({},o.modifiers,{arrow:se({},o.modifiers&&o.modifiers.arrow,{element:this.$refs.arrow})}),this.offset){var r=this.$_getOffset();o.modifiers.offset=se({},o.modifiers&&o.modifiers.offset,{offset:r})}this.boundariesElement&&(o.modifiers.preventOverflow=se({},o.modifiers&&o.modifiers.preventOverflow,{boundariesElement:this.boundariesElement})),this.popperInstance=new K(t,n,o),requestAnimationFrame(function(){!e.$_isDisposed&&e.popperInstance?(e.popperInstance.scheduleUpdate(),requestAnimationFrame(function(){e.$_isDisposed?e.dispose():e.isOpen=!0})):e.dispose()})}var a=this.openGroup;if(a)for(var s=void 0,l=0;l1&&void 0!==arguments[1]&&arguments[1];if(clearTimeout(this.$_scheduleTimer),e)this.$_show();else{var t=parseInt(this.delay&&this.delay.show||this.delay||0);this.$_scheduleTimer=setTimeout(this.$_show.bind(this),t)}},$_scheduleHide:function(){var e=this,t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:null,n=arguments.length>1&&void 0!==arguments[1]&&arguments[1];if(clearTimeout(this.$_scheduleTimer),n)this.$_hide();else{var i=parseInt(this.delay&&this.delay.hide||this.delay||0);this.$_scheduleTimer=setTimeout(function(){if(e.isOpen){if(t&&"mouseleave"===t.type)if(e.$_setTooltipNodeEvent(t))return;e.$_hide()}},i)}},$_setTooltipNodeEvent:function(e){var t=this,n=this.$refs.trigger,i=this.$refs.popover,o=e.relatedreference||e.toElement||e.relatedTarget;return!!i.contains(o)&&(i.addEventListener(e.type,function o(r){var a=r.relatedreference||r.toElement||r.relatedTarget;i.removeEventListener(e.type,o),n.contains(a)||t.hide({event:r})}),!0)},$_removeEventListeners:function(){var e=this.$refs.trigger;this.$_events.forEach(function(t){var n=t.func,i=t.event;e.removeEventListener(i,n)}),this.$_events=[]},$_updatePopper:function(e){this.popperInstance&&(e(),this.isOpen&&this.popperInstance.scheduleUpdate())},$_restartPopper:function(){if(this.popperInstance){var e=this.isOpen;this.dispose(),this.$_isDisposed=!1,this.$_init(),e&&this.show({skipDelay:!0,force:!0})}},$_handleGlobalClose:function(e){var t=this,n=arguments.length>1&&void 0!==arguments[1]&&arguments[1];this.$_beingShowed||(this.hide({event:e}),e.closePopover?this.$emit("close-directive"):this.$emit("auto-hide"),n&&(this.$_preventOpen=!0,setTimeout(function(){t.$_preventOpen=!1},300)))},$_handleResize:function(){this.isOpen&&this.popperInstance&&(this.popperInstance.scheduleUpdate(),this.$emit("resize"))}}};function Me(e){var t=arguments.length>1&&void 0!==arguments[1]&&arguments[1];requestAnimationFrame(function(){for(var n=void 0,i=0;i-1},te.prototype.set=function(e,t){var n=this.__data__,i=se(n,e);return i<0?(++this.size,n.push([e,t])):n[i][1]=t,this},ne.prototype.clear=function(){this.size=0,this.__data__={hash:new ee,map:new(K||te),string:new ee}},ne.prototype.delete=function(e){var t=me(this,e).delete(e);return this.size-=t?1:0,t},ne.prototype.get=function(e){return me(this,e).get(e)},ne.prototype.has=function(e){return me(this,e).has(e)},ne.prototype.set=function(e,t){var n=me(this,e),i=n.size;return n.set(e,t),this.size+=n.size==i?0:1,this},ie.prototype.clear=function(){this.__data__=new te,this.size=0},ie.prototype.delete=function(e){var t=this.__data__,n=t.delete(e);return this.size=t.size,n},ie.prototype.get=function(e){return this.__data__.get(e)},ie.prototype.has=function(e){return this.__data__.has(e)},ie.prototype.set=function(e,t){var i=this.__data__;if(i instanceof te){var o=i.__data__;if(!K||o.length-1&&e%1==0&&e0){if(++t>=o)return arguments[0]}else t=0;return e.apply(void 0,arguments)}}(q?function(e,t){return q(e,"toString",{configurable:!0,enumerable:!1,value:function(e){return function(){return e}}(t),writable:!0})}:je);function we(e,t){return e===t||e!=e&&t!=t}var xe=ue(function(){return arguments}())?ue:function(e){return Le(e)&&j.call(e,"callee")&&!W.call(e,"callee")},Oe=Array.isArray;function Ee(e){return null!=e&&Te(e.length)&&!ke(e)}var Ce=G||function(){return!1};function ke(e){if(!$e(e))return!1;var t=de(e);return t==c||t==d||t==l||t==f}function Te(e){return"number"==typeof e&&e>-1&&e%1==0&&e<=a}function $e(e){var t=typeof e;return null!=e&&("object"==t||"function"==t)}function Le(e){return null!=e&&"object"==typeof e}var Ne=k?function(e){return function(t){return e(t)}}(k):function(e){return Le(e)&&Te(e.length)&&!!g[de(e)]};function Se(e){return Ee(e)?oe(e,!0):fe(e)}var Ie=function(e){return ve(function(t,n){var i=-1,o=n.length,r=o>1?n[o-1]:void 0,a=o>2?n[2]:void 0;for(r=e.length>3&&"function"==typeof r?(o--,r):void 0,a&&function(e,t,n){if(!$e(n))return!1;var i=typeof t;return!!("number"==i?Ee(n)&&be(t,n.length):"string"==i&&t in n)&&we(n[t],e)}(n[0],n[1],a)&&(r=o<3?void 0:r,o=1),t=Object(t);++i1&&void 0!==arguments[1]?arguments[1]:{};if(!e.installed){e.installed=!0;var i={};Re(i,he,n),Be.options=i,_e.options=i,t.directive("tooltip",_e),t.directive("close-popover",Te),t.component("v-popover",He)}},get enabled(){return pe.enabled},set enabled(e){pe.enabled=e}},ze=null;"undefined"!=typeof window?ze=window.Vue:void 0!==e&&(ze=e.Vue),ze&&ze.use(Be),t.a=Be}).call(this,n(30))},323:function(e,t,n){ +var n="undefined"!=typeof window&&"undefined"!=typeof document,i=["Edge","Trident","Firefox"],o=0,r=0;r=0){o=1;break}var a=n&&window.Promise?function(e){var t=!1;return function(){t||(t=!0,window.Promise.resolve().then(function(){t=!1,e()}))}}:function(e){var t=!1;return function(){t||(t=!0,setTimeout(function(){t=!1,e()},o))}};function s(e){return e&&"[object Function]"==={}.toString.call(e)}function l(e,t){if(1!==e.nodeType)return[];var n=getComputedStyle(e,null);return t?n[t]:n}function c(e){return"HTML"===e.nodeName?e:e.parentNode||e.host}function d(e){if(!e)return document.body;switch(e.nodeName){case"HTML":case"BODY":return e.ownerDocument.body;case"#document":return e.body}var t=l(e),n=t.overflow,i=t.overflowX,o=t.overflowY;return/(auto|scroll|overlay)/.test(n+o+i)?e:d(c(e))}var u=n&&!(!window.MSInputMethodContext||!document.documentMode),p=n&&/MSIE 10/.test(navigator.userAgent);function f(e){return 11===e?u:10===e?p:u||p}function h(e){if(!e)return document.documentElement;for(var t=f(10)?document.body:null,n=e.offsetParent;n===t&&e.nextElementSibling;)n=(e=e.nextElementSibling).offsetParent;var i=n&&n.nodeName;return i&&"BODY"!==i&&"HTML"!==i?-1!==["TD","TABLE"].indexOf(n.nodeName)&&"static"===l(n,"position")?h(n):n:e?e.ownerDocument.documentElement:document.documentElement}function v(e){return null!==e.parentNode?v(e.parentNode):e}function m(e,t){if(!(e&&e.nodeType&&t&&t.nodeType))return document.documentElement;var n=e.compareDocumentPosition(t)&Node.DOCUMENT_POSITION_FOLLOWING,i=n?e:t,o=n?t:e,r=document.createRange();r.setStart(i,0),r.setEnd(o,0);var a=r.commonAncestorContainer;if(e!==a&&t!==a||i.contains(o))return function(e){var t=e.nodeName;return"BODY"!==t&&("HTML"===t||h(e.firstElementChild)===e)}(a)?a:h(a);var s=v(e);return s.host?m(s.host,t):m(e,v(t).host)}function g(e){var t="top"===(arguments.length>1&&void 0!==arguments[1]?arguments[1]:"top")?"scrollTop":"scrollLeft",n=e.nodeName;if("BODY"===n||"HTML"===n){var i=e.ownerDocument.documentElement;return(e.ownerDocument.scrollingElement||i)[t]}return e[t]}function b(e,t){var n="x"===t?"Left":"Top",i="Left"===n?"Right":"Bottom";return parseFloat(e["border"+n+"Width"],10)+parseFloat(e["border"+i+"Width"],10)}function y(e,t,n,i){return Math.max(t["offset"+e],t["scroll"+e],n["client"+e],n["offset"+e],n["scroll"+e],f(10)?n["offset"+e]+i["margin"+("Height"===e?"Top":"Left")]+i["margin"+("Height"===e?"Bottom":"Right")]:0)}function _(){var e=document.body,t=document.documentElement,n=f(10)&&getComputedStyle(t);return{height:y("Height",e,t,n),width:y("Width",e,t,n)}}var w=function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")},x=function(){function e(e,t){for(var n=0;n2&&void 0!==arguments[2]&&arguments[2],i=f(10),o="HTML"===t.nodeName,r=k(e),a=k(t),s=d(e),c=l(t),u=parseFloat(c.borderTopWidth,10),p=parseFloat(c.borderLeftWidth,10);n&&"HTML"===t.nodeName&&(a.top=Math.max(a.top,0),a.left=Math.max(a.left,0));var h=C({top:r.top-a.top-u,left:r.left-a.left-p,width:r.width,height:r.height});if(h.marginTop=0,h.marginLeft=0,!i&&o){var v=parseFloat(c.marginTop,10),m=parseFloat(c.marginLeft,10);h.top-=u-v,h.bottom-=u-v,h.left-=p-m,h.right-=p-m,h.marginTop=v,h.marginLeft=m}return(i&&!n?t.contains(s):t===s&&"BODY"!==s.nodeName)&&(h=function(e,t){var n=arguments.length>2&&void 0!==arguments[2]&&arguments[2],i=g(t,"top"),o=g(t,"left"),r=n?-1:1;return e.top+=i*r,e.bottom+=i*r,e.left+=o*r,e.right+=o*r,e}(h,t)),h}function $(e){if(!e||!e.parentElement||f())return document.documentElement;for(var t=e.parentElement;t&&"none"===l(t,"transform");)t=t.parentElement;return t||document.documentElement}function L(e,t,n,i){var o=arguments.length>4&&void 0!==arguments[4]&&arguments[4],r={top:0,left:0},a=o?$(e):m(e,t);if("viewport"===i)r=function(e){var t=arguments.length>1&&void 0!==arguments[1]&&arguments[1],n=e.ownerDocument.documentElement,i=T(e,n),o=Math.max(n.clientWidth,window.innerWidth||0),r=Math.max(n.clientHeight,window.innerHeight||0),a=t?0:g(n),s=t?0:g(n,"left");return C({top:a-i.top+i.marginTop,left:s-i.left+i.marginLeft,width:o,height:r})}(a,o);else{var s=void 0;"scrollParent"===i?"BODY"===(s=d(c(t))).nodeName&&(s=e.ownerDocument.documentElement):s="window"===i?e.ownerDocument.documentElement:i;var u=T(s,a,o);if("HTML"!==s.nodeName||function e(t){var n=t.nodeName;return"BODY"!==n&&"HTML"!==n&&("fixed"===l(t,"position")||e(c(t)))}(a))r=u;else{var p=_(),f=p.height,h=p.width;r.top+=u.top-u.marginTop,r.bottom=f+u.top,r.left+=u.left-u.marginLeft,r.right=h+u.left}}return r.left+=n,r.top+=n,r.right-=n,r.bottom-=n,r}function N(e,t,n,i,o){var r=arguments.length>5&&void 0!==arguments[5]?arguments[5]:0;if(-1===e.indexOf("auto"))return e;var a=L(n,i,r,o),s={top:{width:a.width,height:t.top-a.top},right:{width:a.right-t.right,height:a.height},bottom:{width:a.width,height:a.bottom-t.bottom},left:{width:t.left-a.left,height:a.height}},l=Object.keys(s).map(function(e){return E({key:e},s[e],{area:function(e){return e.width*e.height}(s[e])})}).sort(function(e,t){return t.area-e.area}),c=l.filter(function(e){var t=e.width,i=e.height;return t>=n.clientWidth&&i>=n.clientHeight}),d=c.length>0?c[0].key:l[0].key,u=e.split("-")[1];return d+(u?"-"+u:"")}function S(e,t,n){var i=arguments.length>3&&void 0!==arguments[3]?arguments[3]:null;return T(n,i?$(t):m(t,n),i)}function I(e){var t=getComputedStyle(e),n=parseFloat(t.marginTop)+parseFloat(t.marginBottom),i=parseFloat(t.marginLeft)+parseFloat(t.marginRight);return{width:e.offsetWidth+i,height:e.offsetHeight+n}}function j(e){var t={left:"right",right:"left",bottom:"top",top:"bottom"};return e.replace(/left|right|bottom|top/g,function(e){return t[e]})}function A(e,t,n){n=n.split("-")[0];var i=I(e),o={width:i.width,height:i.height},r=-1!==["right","left"].indexOf(n),a=r?"top":"left",s=r?"left":"top",l=r?"height":"width",c=r?"width":"height";return o[a]=t[a]+t[l]/2-i[l]/2,o[s]=n===s?t[s]-i[c]:t[j(s)],o}function P(e,t){return Array.prototype.find?e.find(t):e.filter(t)[0]}function D(e,t,n){return(void 0===n?e:e.slice(0,function(e,t,n){if(Array.prototype.findIndex)return e.findIndex(function(e){return e[t]===n});var i=P(e,function(e){return e[t]===n});return e.indexOf(i)}(e,"name",n))).forEach(function(e){e.function&&console.warn("`modifier.function` is deprecated, use `modifier.fn`!");var n=e.function||e.fn;e.enabled&&s(n)&&(t.offsets.popper=C(t.offsets.popper),t.offsets.reference=C(t.offsets.reference),t=n(t,e))}),t}function H(e,t){return e.some(function(e){var n=e.name;return e.enabled&&n===t})}function M(e){for(var t=[!1,"ms","Webkit","Moz","O"],n=e.charAt(0).toUpperCase()+e.slice(1),i=0;i1&&void 0!==arguments[1]&&arguments[1],n=Y.indexOf(e),i=Y.slice(n+1).concat(Y.slice(0,n));return t?i.reverse():i}var G={FLIP:"flip",CLOCKWISE:"clockwise",COUNTERCLOCKWISE:"counterclockwise"};function X(e,t,n,i){var o=[0,0],r=-1!==["right","left"].indexOf(i),a=e.split(/(\+|\-)/).map(function(e){return e.trim()}),s=a.indexOf(P(a,function(e){return-1!==e.search(/,|\s/)}));a[s]&&-1===a[s].indexOf(",")&&console.warn("Offsets separated by white space(s) are deprecated, use a comma (,) instead.");var l=/\s*,\s*|\s+/,c=-1!==s?[a.slice(0,s).concat([a[s].split(l)[0]]),[a[s].split(l)[1]].concat(a.slice(s+1))]:[a];return(c=c.map(function(e,i){var o=(1===i?!r:r)?"height":"width",a=!1;return e.reduce(function(e,t){return""===e[e.length-1]&&-1!==["+","-"].indexOf(t)?(e[e.length-1]=t,a=!0,e):a?(e[e.length-1]+=t,a=!1,e):e.concat(t)},[]).map(function(e){return function(e,t,n,i){var o=e.match(/((?:\-|\+)?\d*\.?\d*)(.*)/),r=+o[1],a=o[2];if(!r)return e;if(0===a.indexOf("%")){var s=void 0;switch(a){case"%p":s=n;break;case"%":case"%r":default:s=i}return C(s)[t]/100*r}if("vh"===a||"vw"===a)return("vh"===a?Math.max(document.documentElement.clientHeight,window.innerHeight||0):Math.max(document.documentElement.clientWidth,window.innerWidth||0))/100*r;return r}(e,o,t,n)})})).forEach(function(e,t){e.forEach(function(n,i){z(n)&&(o[t]+=n*("-"===e[i-1]?-1:1))})}),o}var J={placement:"bottom",positionFixed:!1,eventsEnabled:!0,removeOnDestroy:!1,onCreate:function(){},onUpdate:function(){},modifiers:{shift:{order:100,enabled:!0,fn:function(e){var t=e.placement,n=t.split("-")[0],i=t.split("-")[1];if(i){var o=e.offsets,r=o.reference,a=o.popper,s=-1!==["bottom","top"].indexOf(n),l=s?"left":"top",c=s?"width":"height",d={start:O({},l,r[l]),end:O({},l,r[l]+r[c]-a[c])};e.offsets.popper=E({},a,d[i])}return e}},offset:{order:200,enabled:!0,fn:function(e,t){var n=t.offset,i=e.placement,o=e.offsets,r=o.popper,a=o.reference,s=i.split("-")[0],l=void 0;return l=z(+n)?[+n,0]:X(n,r,a,s),"left"===s?(r.top+=l[0],r.left-=l[1]):"right"===s?(r.top+=l[0],r.left+=l[1]):"top"===s?(r.left+=l[0],r.top-=l[1]):"bottom"===s&&(r.left+=l[0],r.top+=l[1]),e.popper=r,e},offset:0},preventOverflow:{order:300,enabled:!0,fn:function(e,t){var n=t.boundariesElement||h(e.instance.popper);e.instance.reference===n&&(n=h(n));var i=M("transform"),o=e.instance.popper.style,r=o.top,a=o.left,s=o[i];o.top="",o.left="",o[i]="";var l=L(e.instance.popper,e.instance.reference,t.padding,n,e.positionFixed);o.top=r,o.left=a,o[i]=s,t.boundaries=l;var c=t.priority,d=e.offsets.popper,u={primary:function(e){var n=d[e];return d[e]l[e]&&!t.escapeWithReference&&(i=Math.min(d[n],l[e]-("right"===e?d.width:d.height))),O({},n,i)}};return c.forEach(function(e){var t=-1!==["left","top"].indexOf(e)?"primary":"secondary";d=E({},d,u[t](e))}),e.offsets.popper=d,e},priority:["left","right","top","bottom"],padding:5,boundariesElement:"scrollParent"},keepTogether:{order:400,enabled:!0,fn:function(e){var t=e.offsets,n=t.popper,i=t.reference,o=e.placement.split("-")[0],r=Math.floor,a=-1!==["top","bottom"].indexOf(o),s=a?"right":"bottom",l=a?"left":"top",c=a?"width":"height";return n[s]r(i[s])&&(e.offsets.popper[l]=r(i[s])),e}},arrow:{order:500,enabled:!0,fn:function(e,t){var n;if(!W(e.instance.modifiers,"arrow","keepTogether"))return e;var i=t.element;if("string"==typeof i){if(!(i=e.instance.popper.querySelector(i)))return e}else if(!e.instance.popper.contains(i))return console.warn("WARNING: `arrow.element` must be child of its popper element!"),e;var o=e.placement.split("-")[0],r=e.offsets,a=r.popper,s=r.reference,c=-1!==["left","right"].indexOf(o),d=c?"height":"width",u=c?"Top":"Left",p=u.toLowerCase(),f=c?"left":"top",h=c?"bottom":"right",v=I(i)[d];s[h]-va[h]&&(e.offsets.popper[p]+=s[p]+v-a[h]),e.offsets.popper=C(e.offsets.popper);var m=s[p]+s[d]/2-v/2,g=l(e.instance.popper),b=parseFloat(g["margin"+u],10),y=parseFloat(g["border"+u+"Width"],10),_=m-e.offsets.popper[p]-b-y;return _=Math.max(Math.min(a[d]-v,_),0),e.arrowElement=i,e.offsets.arrow=(O(n={},p,Math.round(_)),O(n,f,""),n),e},element:"[x-arrow]"},flip:{order:600,enabled:!0,fn:function(e,t){if(H(e.instance.modifiers,"inner"))return e;if(e.flipped&&e.placement===e.originalPlacement)return e;var n=L(e.instance.popper,e.instance.reference,t.padding,t.boundariesElement,e.positionFixed),i=e.placement.split("-")[0],o=j(i),r=e.placement.split("-")[1]||"",a=[];switch(t.behavior){case G.FLIP:a=[i,o];break;case G.CLOCKWISE:a=q(i);break;case G.COUNTERCLOCKWISE:a=q(i,!0);break;default:a=t.behavior}return a.forEach(function(s,l){if(i!==s||a.length===l+1)return e;i=e.placement.split("-")[0],o=j(i);var c=e.offsets.popper,d=e.offsets.reference,u=Math.floor,p="left"===i&&u(c.right)>u(d.left)||"right"===i&&u(c.left)u(d.top)||"bottom"===i&&u(c.top)u(n.right),v=u(c.top)u(n.bottom),g="left"===i&&f||"right"===i&&h||"top"===i&&v||"bottom"===i&&m,b=-1!==["top","bottom"].indexOf(i),y=!!t.flipVariations&&(b&&"start"===r&&f||b&&"end"===r&&h||!b&&"start"===r&&v||!b&&"end"===r&&m);(p||g||y)&&(e.flipped=!0,(p||g)&&(i=a[l+1]),y&&(r=function(e){return"end"===e?"start":"start"===e?"end":e}(r)),e.placement=i+(r?"-"+r:""),e.offsets.popper=E({},e.offsets.popper,A(e.instance.popper,e.offsets.reference,e.placement)),e=D(e.instance.modifiers,e,"flip"))}),e},behavior:"flip",padding:5,boundariesElement:"viewport"},inner:{order:700,enabled:!1,fn:function(e){var t=e.placement,n=t.split("-")[0],i=e.offsets,o=i.popper,r=i.reference,a=-1!==["left","right"].indexOf(n),s=-1===["top","left"].indexOf(n);return o[a?"left":"top"]=r[n]-(s?o[a?"width":"height"]:0),e.placement=j(t),e.offsets.popper=C(o),e}},hide:{order:800,enabled:!0,fn:function(e){if(!W(e.instance.modifiers,"hide","preventOverflow"))return e;var t=e.offsets.reference,n=P(e.instance.modifiers,function(e){return"preventOverflow"===e.name}).boundaries;if(t.bottomn.right||t.top>n.bottom||t.right2&&void 0!==arguments[2]?arguments[2]:{};w(this,e),this.scheduleUpdate=function(){return requestAnimationFrame(i.update)},this.update=a(this.update.bind(this)),this.options=E({},e.Defaults,o),this.state={isDestroyed:!1,isCreated:!1,scrollParents:[]},this.reference=t&&t.jquery?t[0]:t,this.popper=n&&n.jquery?n[0]:n,this.options.modifiers={},Object.keys(E({},e.Defaults.modifiers,o.modifiers)).forEach(function(t){i.options.modifiers[t]=E({},e.Defaults.modifiers[t]||{},o.modifiers?o.modifiers[t]:{})}),this.modifiers=Object.keys(this.options.modifiers).map(function(e){return E({name:e},i.options.modifiers[e])}).sort(function(e,t){return e.order-t.order}),this.modifiers.forEach(function(e){e.enabled&&s(e.onLoad)&&e.onLoad(i.reference,i.popper,i.options,e,i.state)}),this.update();var r=this.options.eventsEnabled;r&&this.enableEventListeners(),this.state.eventsEnabled=r}return x(e,[{key:"update",value:function(){return function(){if(!this.state.isDestroyed){var e={instance:this,styles:{},arrowStyles:{},attributes:{},flipped:!1,offsets:{}};e.offsets.reference=S(this.state,this.popper,this.reference,this.options.positionFixed),e.placement=N(this.options.placement,e.offsets.reference,this.popper,this.reference,this.options.modifiers.flip.boundariesElement,this.options.modifiers.flip.padding),e.originalPlacement=e.placement,e.positionFixed=this.options.positionFixed,e.offsets.popper=A(this.popper,e.offsets.reference,e.placement),e.offsets.popper.position=this.options.positionFixed?"fixed":"absolute",e=D(this.modifiers,e),this.state.isCreated?this.options.onUpdate(e):(this.state.isCreated=!0,this.options.onCreate(e))}}.call(this)}},{key:"destroy",value:function(){return function(){return this.state.isDestroyed=!0,H(this.modifiers,"applyStyle")&&(this.popper.removeAttribute("x-placement"),this.popper.style.position="",this.popper.style.top="",this.popper.style.left="",this.popper.style.right="",this.popper.style.bottom="",this.popper.style.willChange="",this.popper.style[M("transform")]=""),this.disableEventListeners(),this.options.removeOnDestroy&&this.popper.parentNode.removeChild(this.popper),this}.call(this)}},{key:"enableEventListeners",value:function(){return function(){this.state.eventsEnabled||(this.state=R(this.reference,this.options,this.state,this.scheduleUpdate))}.call(this)}},{key:"disableEventListeners",value:function(){return B.call(this)}}]),e}();K.Utils=("undefined"!=typeof window?window:e).PopperUtils,K.placements=V,K.Defaults=J;var Q=function(){};function Z(e){return"string"==typeof e&&(e=e.split(" ")),e}function ee(e,t){var n=Z(t),i=void 0;i=e.className instanceof Q?Z(e.className.baseVal):Z(e.className),n.forEach(function(e){-1===i.indexOf(e)&&i.push(e)}),e instanceof SVGElement?e.setAttribute("class",i.join(" ")):e.className=i.join(" ")}function te(e,t){var n=Z(t),i=void 0;i=e.className instanceof Q?Z(e.className.baseVal):Z(e.className),n.forEach(function(e){var t=i.indexOf(e);-1!==t&&i.splice(t,1)}),e instanceof SVGElement?e.setAttribute("class",i.join(" ")):e.className=i.join(" ")}"undefined"!=typeof window&&(Q=window.SVGAnimatedString);var ne=!1;if("undefined"!=typeof window){ne=!1;try{var ie=Object.defineProperty({},"passive",{get:function(){ne=!0}});window.addEventListener("test",null,ie)}catch(e){}}var oe="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e},re=function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")},ae=function(){function e(e,t){for(var n=0;n
',trigger:"hover focus",offset:0},ce=[],de=function(){function e(t,n){re(this,e),ue.call(this),n=se({},le,n),t.jquery&&(t=t[0]),this.reference=t,this.options=n,this._isOpen=!1,this._init()}return ae(e,[{key:"setClasses",value:function(e){this._classes=e}},{key:"setContent",value:function(e){this.options.title=e,this._tooltipNode&&this._setContent(e,this.options)}},{key:"setOptions",value:function(e){var t=!1,n=e&&e.classes||_e.options.defaultClass;this._classes!==n&&(this.setClasses(n),t=!0),e=ve(e);var i=!1,o=!1;for(var r in this.options.offset===e.offset&&this.options.placement===e.placement||(i=!0),(this.options.template!==e.template||this.options.trigger!==e.trigger||this.options.container!==e.container||t)&&(o=!0),e)this.options[r]=e[r];if(this._tooltipNode)if(o){var a=this._isOpen;this.dispose(),this._init(),a&&this.show()}else i&&this.popperInstance.update()}},{key:"_init",value:function(){var e="string"==typeof this.options.trigger?this.options.trigger.split(" ").filter(function(e){return-1!==["click","hover","focus"].indexOf(e)}):[];this._isDisposed=!1,this._enableDocumentTouch=-1===e.indexOf("manual"),this._setEventListeners(this.reference,e,this.options)}},{key:"_create",value:function(e,t){var n=window.document.createElement("div");n.innerHTML=t.trim();var i=n.childNodes[0];return i.id="tooltip_"+Math.random().toString(36).substr(2,10),i.setAttribute("aria-hidden","true"),this.options.autoHide&&-1!==this.options.trigger.indexOf("hover")&&(i.addEventListener("mouseenter",this.hide),i.addEventListener("click",this.hide)),i}},{key:"_setContent",value:function(e,t){var n=this;this.asyncContent=!1,this._applyContent(e,t).then(function(){n.popperInstance.update()})}},{key:"_applyContent",value:function(e,t){var n=this;return new Promise(function(i,o){var r=t.html,a=n._tooltipNode;if(a){var s=a.querySelector(n.options.innerSelector);if(1===e.nodeType){if(r){for(;s.firstChild;)s.removeChild(s.firstChild);s.appendChild(e)}}else{if("function"==typeof e){var l=e();return void(l&&"function"==typeof l.then?(n.asyncContent=!0,t.loadingClass&&ee(a,t.loadingClass),t.loadingContent&&n._applyContent(t.loadingContent,t),l.then(function(e){return t.loadingClass&&te(a,t.loadingClass),n._applyContent(e,t)}).then(i).catch(o)):n._applyContent(l,t).then(i).catch(o))}r?s.innerHTML=e:s.innerText=e}i()}})}},{key:"_show",value:function(e,t){if(t&&"string"==typeof t.container&&!document.querySelector(t.container))return;clearTimeout(this._disposeTimer),delete(t=Object.assign({},t)).offset;var n=!0;this._tooltipNode&&(ee(this._tooltipNode,this._classes),n=!1);var i=this._ensureShown(e,t);return n&&this._tooltipNode&&ee(this._tooltipNode,this._classes),ee(e,["v-tooltip-open"]),i}},{key:"_ensureShown",value:function(e,t){var n=this;if(this._isOpen)return this;if(this._isOpen=!0,ce.push(this),this._tooltipNode)return this._tooltipNode.style.display="",this._tooltipNode.setAttribute("aria-hidden","false"),this.popperInstance.enableEventListeners(),this.popperInstance.update(),this.asyncContent&&this._setContent(t.title,t),this;var i=e.getAttribute("title")||t.title;if(!i)return this;var o=this._create(e,t.template);this._tooltipNode=o,this._setContent(i,t),e.setAttribute("aria-describedby",o.id);var r=this._findContainer(t.container,e);this._append(o,r);var a=se({},t.popperOptions,{placement:t.placement});return a.modifiers=se({},a.modifiers,{arrow:{element:this.options.arrowSelector}}),t.boundariesElement&&(a.modifiers.preventOverflow={boundariesElement:t.boundariesElement}),this.popperInstance=new K(e,o,a),requestAnimationFrame(function(){!n._isDisposed&&n.popperInstance?(n.popperInstance.update(),requestAnimationFrame(function(){n._isDisposed?n.dispose():n._isOpen&&o.setAttribute("aria-hidden","false")})):n.dispose()}),this}},{key:"_noLongerOpen",value:function(){var e=ce.indexOf(this);-1!==e&&ce.splice(e,1)}},{key:"_hide",value:function(){var e=this;if(!this._isOpen)return this;this._isOpen=!1,this._noLongerOpen(),this._tooltipNode.style.display="none",this._tooltipNode.setAttribute("aria-hidden","true"),this.popperInstance.disableEventListeners(),clearTimeout(this._disposeTimer);var t=_e.options.disposeTimeout;return null!==t&&(this._disposeTimer=setTimeout(function(){e._tooltipNode&&(e._tooltipNode.removeEventListener("mouseenter",e.hide),e._tooltipNode.removeEventListener("click",e.hide),e._tooltipNode.parentNode.removeChild(e._tooltipNode),e._tooltipNode=null)},t)),te(this.reference,["v-tooltip-open"]),this}},{key:"_dispose",value:function(){var e=this;return this._isDisposed=!0,this._events.forEach(function(t){var n=t.func,i=t.event;e.reference.removeEventListener(i,n)}),this._events=[],this._tooltipNode?(this._hide(),this._tooltipNode.removeEventListener("mouseenter",this.hide),this._tooltipNode.removeEventListener("click",this.hide),this.popperInstance.destroy(),this.popperInstance.options.removeOnDestroy||(this._tooltipNode.parentNode.removeChild(this._tooltipNode),this._tooltipNode=null)):this._noLongerOpen(),this}},{key:"_findContainer",value:function(e,t){return"string"==typeof e?e=window.document.querySelector(e):!1===e&&(e=t.parentNode),e}},{key:"_append",value:function(e,t){t.appendChild(e)}},{key:"_setEventListeners",value:function(e,t,n){var i=this,o=[],r=[];t.forEach(function(e){switch(e){case"hover":o.push("mouseenter"),r.push("mouseleave"),i.options.hideOnTargetClick&&r.push("click");break;case"focus":o.push("focus"),r.push("blur"),i.options.hideOnTargetClick&&r.push("click");break;case"click":o.push("click"),r.push("click")}}),o.forEach(function(t){var o=function(t){!0!==i._isOpen&&(t.usedByTooltip=!0,i._scheduleShow(e,n.delay,n,t))};i._events.push({event:t,func:o}),e.addEventListener(t,o)}),r.forEach(function(t){var o=function(t){!0!==t.usedByTooltip&&i._scheduleHide(e,n.delay,n,t)};i._events.push({event:t,func:o}),e.addEventListener(t,o)})}},{key:"_onDocumentTouch",value:function(e){this._enableDocumentTouch&&this._scheduleHide(this.reference,this.options.delay,this.options,e)}},{key:"_scheduleShow",value:function(e,t,n){var i=this,o=t&&t.show||t||0;clearTimeout(this._scheduleTimer),this._scheduleTimer=window.setTimeout(function(){return i._show(e,n)},o)}},{key:"_scheduleHide",value:function(e,t,n,i){var o=this,r=t&&t.hide||t||0;clearTimeout(this._scheduleTimer),this._scheduleTimer=window.setTimeout(function(){if(!1!==o._isOpen&&document.body.contains(o._tooltipNode)){if("mouseleave"===i.type)if(o._setTooltipNodeEvent(i,e,t,n))return;o._hide(e,n)}},r)}}]),e}(),ue=function(){var e=this;this.show=function(){e._show(e.reference,e.options)},this.hide=function(){e._hide()},this.dispose=function(){e._dispose()},this.toggle=function(){return e._isOpen?e.hide():e.show()},this._events=[],this._setTooltipNodeEvent=function(t,n,i,o){var r=t.relatedreference||t.toElement||t.relatedTarget;return!!e._tooltipNode.contains(r)&&(e._tooltipNode.addEventListener(t.type,function i(r){var a=r.relatedreference||r.toElement||r.relatedTarget;e._tooltipNode.removeEventListener(t.type,i),n.contains(a)||e._scheduleHide(n,o.delay,o,r)}),!0)}};"undefined"!=typeof document&&document.addEventListener("touchstart",function(e){for(var t=0;t
',defaultArrowSelector:".tooltip-arrow, .tooltip__arrow",defaultInnerSelector:".tooltip-inner, .tooltip__inner",defaultDelay:0,defaultTrigger:"hover focus",defaultOffset:0,defaultContainer:"body",defaultBoundariesElement:void 0,defaultPopperOptions:{},defaultLoadingClass:"tooltip-loading",defaultLoadingContent:"...",autoHide:!0,defaultHideOnTargetClick:!0,disposeTimeout:5e3,popover:{defaultPlacement:"bottom",defaultClass:"vue-popover-theme",defaultBaseClass:"tooltip popover",defaultWrapperClass:"wrapper",defaultInnerClass:"tooltip-inner popover-inner",defaultArrowClass:"tooltip-arrow popover-arrow",defaultDelay:0,defaultTrigger:"click",defaultOffset:0,defaultContainer:"body",defaultBoundariesElement:void 0,defaultPopperOptions:{},defaultAutoHide:!0,defaultHandleResize:!0}};function ve(e){var t={placement:void 0!==e.placement?e.placement:_e.options.defaultPlacement,delay:void 0!==e.delay?e.delay:_e.options.defaultDelay,html:void 0!==e.html?e.html:_e.options.defaultHtml,template:void 0!==e.template?e.template:_e.options.defaultTemplate,arrowSelector:void 0!==e.arrowSelector?e.arrowSelector:_e.options.defaultArrowSelector,innerSelector:void 0!==e.innerSelector?e.innerSelector:_e.options.defaultInnerSelector,trigger:void 0!==e.trigger?e.trigger:_e.options.defaultTrigger,offset:void 0!==e.offset?e.offset:_e.options.defaultOffset,container:void 0!==e.container?e.container:_e.options.defaultContainer,boundariesElement:void 0!==e.boundariesElement?e.boundariesElement:_e.options.defaultBoundariesElement,autoHide:void 0!==e.autoHide?e.autoHide:_e.options.autoHide,hideOnTargetClick:void 0!==e.hideOnTargetClick?e.hideOnTargetClick:_e.options.defaultHideOnTargetClick,loadingClass:void 0!==e.loadingClass?e.loadingClass:_e.options.defaultLoadingClass,loadingContent:void 0!==e.loadingContent?e.loadingContent:_e.options.defaultLoadingContent,popperOptions:se({},void 0!==e.popperOptions?e.popperOptions:_e.options.defaultPopperOptions)};if(t.offset){var n=oe(t.offset),i=t.offset;("number"===n||"string"===n&&-1===i.indexOf(","))&&(i="0, "+i),t.popperOptions.modifiers||(t.popperOptions.modifiers={}),t.popperOptions.modifiers.offset={offset:i}}return t.trigger&&-1!==t.trigger.indexOf("click")&&(t.hideOnTargetClick=!1),t}function me(e,t){for(var n=e.placement,i=0;i2&&void 0!==arguments[2]?arguments[2]:{},i=ge(t),o=void 0!==t.classes?t.classes:_e.options.defaultClass,r=se({title:i},ve(se({},t,{placement:me(t,n)}))),a=e._tooltip=new de(e,r);a.setClasses(o),a._vueEl=e;var s=void 0!==t.targetClasses?t.targetClasses:_e.options.defaultTargetClass;return e._tooltipTargetClasses=s,ee(e,s),a}(e,n,i),void 0!==n.show&&n.show!==e._tooltipOldShow&&(e._tooltipOldShow=n.show,n.show?r.show():r.hide())}else be(e)}var _e={options:he,bind:ye,update:ye,unbind:function(e){be(e)}};function we(e){e.addEventListener("click",Oe),e.addEventListener("touchstart",Ee,!!ne&&{passive:!0})}function xe(e){e.removeEventListener("click",Oe),e.removeEventListener("touchstart",Ee),e.removeEventListener("touchend",Ce),e.removeEventListener("touchcancel",ke)}function Oe(e){var t=e.currentTarget;e.closePopover=!t.$_vclosepopover_touch,e.closeAllPopover=t.$_closePopoverModifiers&&!!t.$_closePopoverModifiers.all}function Ee(e){if(1===e.changedTouches.length){var t=e.currentTarget;t.$_vclosepopover_touch=!0;var n=e.changedTouches[0];t.$_vclosepopover_touchPoint=n,t.addEventListener("touchend",Ce),t.addEventListener("touchcancel",ke)}}function Ce(e){var t=e.currentTarget;if(t.$_vclosepopover_touch=!1,1===e.changedTouches.length){var n=e.changedTouches[0],i=t.$_vclosepopover_touchPoint;e.closePopover=Math.abs(n.screenY-i.screenY)<20&&Math.abs(n.screenX-i.screenX)<20,e.closeAllPopover=t.$_closePopoverModifiers&&!!t.$_closePopoverModifiers.all}}function ke(e){e.currentTarget.$_vclosepopover_touch=!1}var Te={bind:function(e,t){var n=t.value,i=t.modifiers;e.$_closePopoverModifiers=i,(void 0===n||n)&&we(e)},update:function(e,t){var n=t.value,i=t.oldValue,o=t.modifiers;e.$_closePopoverModifiers=o,n!==i&&(void 0===n||n?we(e):xe(e))},unbind:function(e){xe(e)}};var $e=void 0;function Le(){Le.init||(Le.init=!0,$e=-1!==function(){var e=window.navigator.userAgent,t=e.indexOf("MSIE ");if(t>0)return parseInt(e.substring(t+5,e.indexOf(".",t)),10);if(e.indexOf("Trident/")>0){var n=e.indexOf("rv:");return parseInt(e.substring(n+3,e.indexOf(".",n)),10)}var i=e.indexOf("Edge/");return i>0?parseInt(e.substring(i+5,e.indexOf(".",i)),10):-1}())}var Ne={render:function(){var e=this.$createElement;return(this._self._c||e)("div",{staticClass:"resize-observer",attrs:{tabindex:"-1"}})},staticRenderFns:[],_scopeId:"data-v-b329ee4c",name:"resize-observer",methods:{notify:function(){this.$emit("notify")},addResizeHandlers:function(){this._resizeObject.contentDocument.defaultView.addEventListener("resize",this.notify),this._w===this.$el.offsetWidth&&this._h===this.$el.offsetHeight||this.notify()},removeResizeHandlers:function(){this._resizeObject&&this._resizeObject.onload&&(!$e&&this._resizeObject.contentDocument&&this._resizeObject.contentDocument.defaultView.removeEventListener("resize",this.notify),delete this._resizeObject.onload)}},mounted:function(){var e=this;Le(),this.$nextTick(function(){e._w=e.$el.offsetWidth,e._h=e.$el.offsetHeight});var t=document.createElement("object");this._resizeObject=t,t.setAttribute("style","display: block; position: absolute; top: 0; left: 0; height: 100%; width: 100%; overflow: hidden; pointer-events: none; z-index: -1;"),t.setAttribute("aria-hidden","true"),t.setAttribute("tabindex",-1),t.onload=this.addResizeHandlers,t.type="text/html",$e&&this.$el.appendChild(t),t.data="about:blank",$e||this.$el.appendChild(t)},beforeDestroy:function(){this.removeResizeHandlers()}};var Se={version:"0.4.4",install:function(e){e.component("resize-observer",Ne)}},Ie=null;function je(e){var t=_e.options.popover[e];return void 0===t?_e.options[e]:t}"undefined"!=typeof window?Ie=window.Vue:void 0!==e&&(Ie=e.Vue),Ie&&Ie.use(Se);var Ae=!1;"undefined"!=typeof window&&"undefined"!=typeof navigator&&(Ae=/iPad|iPhone|iPod/.test(navigator.userAgent)&&!window.MSStream);var Pe=[],De=function(){};"undefined"!=typeof window&&(De=window.Element);var He={render:function(){var e=this,t=e.$createElement,n=e._self._c||t;return n("div",{staticClass:"v-popover",class:e.cssClass},[n("span",{ref:"trigger",staticClass:"trigger",staticStyle:{display:"inline-block"},attrs:{"aria-describedby":e.popoverId,tabindex:-1!==e.trigger.indexOf("focus")?0:-1}},[e._t("default")],2),e._v(" "),n("div",{ref:"popover",class:[e.popoverBaseClass,e.popoverClass,e.cssClass],style:{visibility:e.isOpen?"visible":"hidden"},attrs:{id:e.popoverId,"aria-hidden":e.isOpen?"false":"true"}},[n("div",{class:e.popoverWrapperClass},[n("div",{ref:"inner",class:e.popoverInnerClass,staticStyle:{position:"relative"}},[n("div",[e._t("popover")],2),e._v(" "),e.handleResize?n("ResizeObserver",{on:{notify:e.$_handleResize}}):e._e()],1),e._v(" "),n("div",{ref:"arrow",class:e.popoverArrowClass})])])])},staticRenderFns:[],name:"VPopover",components:{ResizeObserver:Ne},props:{open:{type:Boolean,default:!1},disabled:{type:Boolean,default:!1},placement:{type:String,default:function(){return je("defaultPlacement")}},delay:{type:[String,Number,Object],default:function(){return je("defaultDelay")}},offset:{type:[String,Number],default:function(){return je("defaultOffset")}},trigger:{type:String,default:function(){return je("defaultTrigger")}},container:{type:[String,Object,De,Boolean],default:function(){return je("defaultContainer")}},boundariesElement:{type:[String,De],default:function(){return je("defaultBoundariesElement")}},popperOptions:{type:Object,default:function(){return je("defaultPopperOptions")}},popoverClass:{type:[String,Array],default:function(){return je("defaultClass")}},popoverBaseClass:{type:[String,Array],default:function(){return _e.options.popover.defaultBaseClass}},popoverInnerClass:{type:[String,Array],default:function(){return _e.options.popover.defaultInnerClass}},popoverWrapperClass:{type:[String,Array],default:function(){return _e.options.popover.defaultWrapperClass}},popoverArrowClass:{type:[String,Array],default:function(){return _e.options.popover.defaultArrowClass}},autoHide:{type:Boolean,default:function(){return _e.options.popover.defaultAutoHide}},handleResize:{type:Boolean,default:function(){return _e.options.popover.defaultHandleResize}},openGroup:{type:String,default:null}},data:function(){return{isOpen:!1,id:Math.random().toString(36).substr(2,10)}},computed:{cssClass:function(){return{open:this.isOpen}},popoverId:function(){return"popover_"+this.id}},watch:{open:function(e){e?this.show():this.hide()},disabled:function(e,t){e!==t&&(e?this.hide():this.open&&this.show())},container:function(e){if(this.isOpen&&this.popperInstance){var t=this.$refs.popover,n=this.$refs.trigger,i=this.$_findContainer(this.container,n);if(!i)return void console.warn("No container for popover",this);i.appendChild(t),this.popperInstance.scheduleUpdate()}},trigger:function(e){this.$_removeEventListeners(),this.$_addEventListeners()},placement:function(e){var t=this;this.$_updatePopper(function(){t.popperInstance.options.placement=e})},offset:"$_restartPopper",boundariesElement:"$_restartPopper",popperOptions:{handler:"$_restartPopper",deep:!0}},created:function(){this.$_isDisposed=!1,this.$_mounted=!1,this.$_events=[],this.$_preventOpen=!1},mounted:function(){var e=this.$refs.popover;e.parentNode&&e.parentNode.removeChild(e),this.$_init(),this.open&&this.show()},beforeDestroy:function(){this.dispose()},methods:{show:function(){var e=this,t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},n=t.event,i=(t.skipDelay,t.force);!(void 0!==i&&i)&&this.disabled||(this.$_scheduleShow(n),this.$emit("show")),this.$emit("update:open",!0),this.$_beingShowed=!0,requestAnimationFrame(function(){e.$_beingShowed=!1})},hide:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=e.event;e.skipDelay;this.$_scheduleHide(t),this.$emit("hide"),this.$emit("update:open",!1)},dispose:function(){if(this.$_isDisposed=!0,this.$_removeEventListeners(),this.hide({skipDelay:!0}),this.popperInstance&&(this.popperInstance.destroy(),!this.popperInstance.options.removeOnDestroy)){var e=this.$refs.popover;e.parentNode&&e.parentNode.removeChild(e)}this.$_mounted=!1,this.popperInstance=null,this.isOpen=!1,this.$emit("dispose")},$_init:function(){-1===this.trigger.indexOf("manual")&&this.$_addEventListeners()},$_show:function(){var e=this,t=this.$refs.trigger,n=this.$refs.popover;if(clearTimeout(this.$_disposeTimer),!this.isOpen){if(this.popperInstance&&(this.isOpen=!0,this.popperInstance.enableEventListeners(),this.popperInstance.scheduleUpdate()),!this.$_mounted){var i=this.$_findContainer(this.container,t);if(!i)return void console.warn("No container for popover",this);i.appendChild(n),this.$_mounted=!0}if(!this.popperInstance){var o=se({},this.popperOptions,{placement:this.placement});if(o.modifiers=se({},o.modifiers,{arrow:se({},o.modifiers&&o.modifiers.arrow,{element:this.$refs.arrow})}),this.offset){var r=this.$_getOffset();o.modifiers.offset=se({},o.modifiers&&o.modifiers.offset,{offset:r})}this.boundariesElement&&(o.modifiers.preventOverflow=se({},o.modifiers&&o.modifiers.preventOverflow,{boundariesElement:this.boundariesElement})),this.popperInstance=new K(t,n,o),requestAnimationFrame(function(){!e.$_isDisposed&&e.popperInstance?(e.popperInstance.scheduleUpdate(),requestAnimationFrame(function(){e.$_isDisposed?e.dispose():e.isOpen=!0})):e.dispose()})}var a=this.openGroup;if(a)for(var s=void 0,l=0;l1&&void 0!==arguments[1]&&arguments[1];if(clearTimeout(this.$_scheduleTimer),e)this.$_show();else{var t=parseInt(this.delay&&this.delay.show||this.delay||0);this.$_scheduleTimer=setTimeout(this.$_show.bind(this),t)}},$_scheduleHide:function(){var e=this,t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:null,n=arguments.length>1&&void 0!==arguments[1]&&arguments[1];if(clearTimeout(this.$_scheduleTimer),n)this.$_hide();else{var i=parseInt(this.delay&&this.delay.hide||this.delay||0);this.$_scheduleTimer=setTimeout(function(){if(e.isOpen){if(t&&"mouseleave"===t.type)if(e.$_setTooltipNodeEvent(t))return;e.$_hide()}},i)}},$_setTooltipNodeEvent:function(e){var t=this,n=this.$refs.trigger,i=this.$refs.popover,o=e.relatedreference||e.toElement||e.relatedTarget;return!!i.contains(o)&&(i.addEventListener(e.type,function o(r){var a=r.relatedreference||r.toElement||r.relatedTarget;i.removeEventListener(e.type,o),n.contains(a)||t.hide({event:r})}),!0)},$_removeEventListeners:function(){var e=this.$refs.trigger;this.$_events.forEach(function(t){var n=t.func,i=t.event;e.removeEventListener(i,n)}),this.$_events=[]},$_updatePopper:function(e){this.popperInstance&&(e(),this.isOpen&&this.popperInstance.scheduleUpdate())},$_restartPopper:function(){if(this.popperInstance){var e=this.isOpen;this.dispose(),this.$_isDisposed=!1,this.$_init(),e&&this.show({skipDelay:!0,force:!0})}},$_handleGlobalClose:function(e){var t=this,n=arguments.length>1&&void 0!==arguments[1]&&arguments[1];this.$_beingShowed||(this.hide({event:e}),e.closePopover?this.$emit("close-directive"):this.$emit("auto-hide"),n&&(this.$_preventOpen=!0,setTimeout(function(){t.$_preventOpen=!1},300)))},$_handleResize:function(){this.isOpen&&this.popperInstance&&(this.popperInstance.scheduleUpdate(),this.$emit("resize"))}}};function Me(e){var t=arguments.length>1&&void 0!==arguments[1]&&arguments[1];requestAnimationFrame(function(){for(var n=void 0,i=0;i-1},te.prototype.set=function(e,t){var n=this.__data__,i=se(n,e);return i<0?(++this.size,n.push([e,t])):n[i][1]=t,this},ne.prototype.clear=function(){this.size=0,this.__data__={hash:new ee,map:new(K||te),string:new ee}},ne.prototype.delete=function(e){var t=me(this,e).delete(e);return this.size-=t?1:0,t},ne.prototype.get=function(e){return me(this,e).get(e)},ne.prototype.has=function(e){return me(this,e).has(e)},ne.prototype.set=function(e,t){var n=me(this,e),i=n.size;return n.set(e,t),this.size+=n.size==i?0:1,this},ie.prototype.clear=function(){this.__data__=new te,this.size=0},ie.prototype.delete=function(e){var t=this.__data__,n=t.delete(e);return this.size=t.size,n},ie.prototype.get=function(e){return this.__data__.get(e)},ie.prototype.has=function(e){return this.__data__.has(e)},ie.prototype.set=function(e,t){var i=this.__data__;if(i instanceof te){var o=i.__data__;if(!K||o.length-1&&e%1==0&&e0){if(++t>=o)return arguments[0]}else t=0;return e.apply(void 0,arguments)}}(q?function(e,t){return q(e,"toString",{configurable:!0,enumerable:!1,value:function(e){return function(){return e}}(t),writable:!0})}:je);function we(e,t){return e===t||e!=e&&t!=t}var xe=ue(function(){return arguments}())?ue:function(e){return Le(e)&&j.call(e,"callee")&&!W.call(e,"callee")},Oe=Array.isArray;function Ee(e){return null!=e&&Te(e.length)&&!ke(e)}var Ce=G||function(){return!1};function ke(e){if(!$e(e))return!1;var t=de(e);return t==c||t==d||t==l||t==f}function Te(e){return"number"==typeof e&&e>-1&&e%1==0&&e<=a}function $e(e){var t=typeof e;return null!=e&&("object"==t||"function"==t)}function Le(e){return null!=e&&"object"==typeof e}var Ne=k?function(e){return function(t){return e(t)}}(k):function(e){return Le(e)&&Te(e.length)&&!!g[de(e)]};function Se(e){return Ee(e)?oe(e,!0):fe(e)}var Ie=function(e){return ve(function(t,n){var i=-1,o=n.length,r=o>1?n[o-1]:void 0,a=o>2?n[2]:void 0;for(r=e.length>3&&"function"==typeof r?(o--,r):void 0,a&&function(e,t,n){if(!$e(n))return!1;var i=typeof t;return!!("number"==i?Ee(n)&&be(t,n.length):"string"==i&&t in n)&&we(n[t],e)}(n[0],n[1],a)&&(r=o<3?void 0:r,o=1),t=Object(t);++i1&&void 0!==arguments[1]?arguments[1]:{};if(!e.installed){e.installed=!0;var i={};Re(i,he,n),Be.options=i,_e.options=i,t.directive("tooltip",_e),t.directive("close-popover",Te),t.component("v-popover",He)}},get enabled(){return pe.enabled},set enabled(e){pe.enabled=e}},ze=null;"undefined"!=typeof window?ze=window.Vue:void 0!==e&&(ze=e.Vue),ze&&ze.use(Be),t.a=Be}).call(this,n(24))},325:function(e,t,n){ /*! * vue-infinite-loading v2.3.3 * (c) 2016-2018 PeachScript diff --git a/settings/js/6.js b/settings/js/6.js new file mode 100644 index 0000000000..c904a53f91 --- /dev/null +++ b/settings/js/6.js @@ -0,0 +1,33 @@ +(window.webpackJsonp=window.webpackJsonp||[]).push([[6],{324:function(e,t){function n(e){return"function"==typeof e.value||(console.warn("[Vue-click-outside:] provided expression",e.expression,"is not a function."),!1)}function i(e){return void 0!==e.componentInstance&&e.componentInstance.$isServer}e.exports={bind:function(e,t,o){function r(t){if(o.context){var n=t.path||t.composedPath&&t.composedPath();n&&n.length>0&&n.unshift(t.target),e.contains(t.target)||function(e,t){if(!e||!t)return!1;for(var n=0,i=t.length;n=0){o=1;break}var a=n&&window.Promise?function(e){var t=!1;return function(){t||(t=!0,window.Promise.resolve().then(function(){t=!1,e()}))}}:function(e){var t=!1;return function(){t||(t=!0,setTimeout(function(){t=!1,e()},o))}};function s(e){return e&&"[object Function]"==={}.toString.call(e)}function l(e,t){if(1!==e.nodeType)return[];var n=getComputedStyle(e,null);return t?n[t]:n}function c(e){return"HTML"===e.nodeName?e:e.parentNode||e.host}function d(e){if(!e)return document.body;switch(e.nodeName){case"HTML":case"BODY":return e.ownerDocument.body;case"#document":return e.body}var t=l(e),n=t.overflow,i=t.overflowX,o=t.overflowY;return/(auto|scroll|overlay)/.test(n+o+i)?e:d(c(e))}var u=n&&!(!window.MSInputMethodContext||!document.documentMode),p=n&&/MSIE 10/.test(navigator.userAgent);function f(e){return 11===e?u:10===e?p:u||p}function h(e){if(!e)return document.documentElement;for(var t=f(10)?document.body:null,n=e.offsetParent;n===t&&e.nextElementSibling;)n=(e=e.nextElementSibling).offsetParent;var i=n&&n.nodeName;return i&&"BODY"!==i&&"HTML"!==i?-1!==["TD","TABLE"].indexOf(n.nodeName)&&"static"===l(n,"position")?h(n):n:e?e.ownerDocument.documentElement:document.documentElement}function v(e){return null!==e.parentNode?v(e.parentNode):e}function m(e,t){if(!(e&&e.nodeType&&t&&t.nodeType))return document.documentElement;var n=e.compareDocumentPosition(t)&Node.DOCUMENT_POSITION_FOLLOWING,i=n?e:t,o=n?t:e,r=document.createRange();r.setStart(i,0),r.setEnd(o,0);var a=r.commonAncestorContainer;if(e!==a&&t!==a||i.contains(o))return function(e){var t=e.nodeName;return"BODY"!==t&&("HTML"===t||h(e.firstElementChild)===e)}(a)?a:h(a);var s=v(e);return s.host?m(s.host,t):m(e,v(t).host)}function g(e){var t="top"===(arguments.length>1&&void 0!==arguments[1]?arguments[1]:"top")?"scrollTop":"scrollLeft",n=e.nodeName;if("BODY"===n||"HTML"===n){var i=e.ownerDocument.documentElement;return(e.ownerDocument.scrollingElement||i)[t]}return e[t]}function b(e,t){var n="x"===t?"Left":"Top",i="Left"===n?"Right":"Bottom";return parseFloat(e["border"+n+"Width"],10)+parseFloat(e["border"+i+"Width"],10)}function y(e,t,n,i){return Math.max(t["offset"+e],t["scroll"+e],n["client"+e],n["offset"+e],n["scroll"+e],f(10)?n["offset"+e]+i["margin"+("Height"===e?"Top":"Left")]+i["margin"+("Height"===e?"Bottom":"Right")]:0)}function _(){var e=document.body,t=document.documentElement,n=f(10)&&getComputedStyle(t);return{height:y("Height",e,t,n),width:y("Width",e,t,n)}}var w=function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")},x=function(){function e(e,t){for(var n=0;n2&&void 0!==arguments[2]&&arguments[2],i=f(10),o="HTML"===t.nodeName,r=k(e),a=k(t),s=d(e),c=l(t),u=parseFloat(c.borderTopWidth,10),p=parseFloat(c.borderLeftWidth,10);n&&"HTML"===t.nodeName&&(a.top=Math.max(a.top,0),a.left=Math.max(a.left,0));var h=C({top:r.top-a.top-u,left:r.left-a.left-p,width:r.width,height:r.height});if(h.marginTop=0,h.marginLeft=0,!i&&o){var v=parseFloat(c.marginTop,10),m=parseFloat(c.marginLeft,10);h.top-=u-v,h.bottom-=u-v,h.left-=p-m,h.right-=p-m,h.marginTop=v,h.marginLeft=m}return(i&&!n?t.contains(s):t===s&&"BODY"!==s.nodeName)&&(h=function(e,t){var n=arguments.length>2&&void 0!==arguments[2]&&arguments[2],i=g(t,"top"),o=g(t,"left"),r=n?-1:1;return e.top+=i*r,e.bottom+=i*r,e.left+=o*r,e.right+=o*r,e}(h,t)),h}function $(e){if(!e||!e.parentElement||f())return document.documentElement;for(var t=e.parentElement;t&&"none"===l(t,"transform");)t=t.parentElement;return t||document.documentElement}function L(e,t,n,i){var o=arguments.length>4&&void 0!==arguments[4]&&arguments[4],r={top:0,left:0},a=o?$(e):m(e,t);if("viewport"===i)r=function(e){var t=arguments.length>1&&void 0!==arguments[1]&&arguments[1],n=e.ownerDocument.documentElement,i=T(e,n),o=Math.max(n.clientWidth,window.innerWidth||0),r=Math.max(n.clientHeight,window.innerHeight||0),a=t?0:g(n),s=t?0:g(n,"left");return C({top:a-i.top+i.marginTop,left:s-i.left+i.marginLeft,width:o,height:r})}(a,o);else{var s=void 0;"scrollParent"===i?"BODY"===(s=d(c(t))).nodeName&&(s=e.ownerDocument.documentElement):s="window"===i?e.ownerDocument.documentElement:i;var u=T(s,a,o);if("HTML"!==s.nodeName||function e(t){var n=t.nodeName;return"BODY"!==n&&"HTML"!==n&&("fixed"===l(t,"position")||e(c(t)))}(a))r=u;else{var p=_(),f=p.height,h=p.width;r.top+=u.top-u.marginTop,r.bottom=f+u.top,r.left+=u.left-u.marginLeft,r.right=h+u.left}}return r.left+=n,r.top+=n,r.right-=n,r.bottom-=n,r}function N(e,t,n,i,o){var r=arguments.length>5&&void 0!==arguments[5]?arguments[5]:0;if(-1===e.indexOf("auto"))return e;var a=L(n,i,r,o),s={top:{width:a.width,height:t.top-a.top},right:{width:a.right-t.right,height:a.height},bottom:{width:a.width,height:a.bottom-t.bottom},left:{width:t.left-a.left,height:a.height}},l=Object.keys(s).map(function(e){return E({key:e},s[e],{area:function(e){return e.width*e.height}(s[e])})}).sort(function(e,t){return t.area-e.area}),c=l.filter(function(e){var t=e.width,i=e.height;return t>=n.clientWidth&&i>=n.clientHeight}),d=c.length>0?c[0].key:l[0].key,u=e.split("-")[1];return d+(u?"-"+u:"")}function S(e,t,n){var i=arguments.length>3&&void 0!==arguments[3]?arguments[3]:null;return T(n,i?$(t):m(t,n),i)}function I(e){var t=getComputedStyle(e),n=parseFloat(t.marginTop)+parseFloat(t.marginBottom),i=parseFloat(t.marginLeft)+parseFloat(t.marginRight);return{width:e.offsetWidth+i,height:e.offsetHeight+n}}function j(e){var t={left:"right",right:"left",bottom:"top",top:"bottom"};return e.replace(/left|right|bottom|top/g,function(e){return t[e]})}function A(e,t,n){n=n.split("-")[0];var i=I(e),o={width:i.width,height:i.height},r=-1!==["right","left"].indexOf(n),a=r?"top":"left",s=r?"left":"top",l=r?"height":"width",c=r?"width":"height";return o[a]=t[a]+t[l]/2-i[l]/2,o[s]=n===s?t[s]-i[c]:t[j(s)],o}function P(e,t){return Array.prototype.find?e.find(t):e.filter(t)[0]}function D(e,t,n){return(void 0===n?e:e.slice(0,function(e,t,n){if(Array.prototype.findIndex)return e.findIndex(function(e){return e[t]===n});var i=P(e,function(e){return e[t]===n});return e.indexOf(i)}(e,"name",n))).forEach(function(e){e.function&&console.warn("`modifier.function` is deprecated, use `modifier.fn`!");var n=e.function||e.fn;e.enabled&&s(n)&&(t.offsets.popper=C(t.offsets.popper),t.offsets.reference=C(t.offsets.reference),t=n(t,e))}),t}function H(e,t){return e.some(function(e){var n=e.name;return e.enabled&&n===t})}function M(e){for(var t=[!1,"ms","Webkit","Moz","O"],n=e.charAt(0).toUpperCase()+e.slice(1),i=0;i1&&void 0!==arguments[1]&&arguments[1],n=Y.indexOf(e),i=Y.slice(n+1).concat(Y.slice(0,n));return t?i.reverse():i}var G={FLIP:"flip",CLOCKWISE:"clockwise",COUNTERCLOCKWISE:"counterclockwise"};function X(e,t,n,i){var o=[0,0],r=-1!==["right","left"].indexOf(i),a=e.split(/(\+|\-)/).map(function(e){return e.trim()}),s=a.indexOf(P(a,function(e){return-1!==e.search(/,|\s/)}));a[s]&&-1===a[s].indexOf(",")&&console.warn("Offsets separated by white space(s) are deprecated, use a comma (,) instead.");var l=/\s*,\s*|\s+/,c=-1!==s?[a.slice(0,s).concat([a[s].split(l)[0]]),[a[s].split(l)[1]].concat(a.slice(s+1))]:[a];return(c=c.map(function(e,i){var o=(1===i?!r:r)?"height":"width",a=!1;return e.reduce(function(e,t){return""===e[e.length-1]&&-1!==["+","-"].indexOf(t)?(e[e.length-1]=t,a=!0,e):a?(e[e.length-1]+=t,a=!1,e):e.concat(t)},[]).map(function(e){return function(e,t,n,i){var o=e.match(/((?:\-|\+)?\d*\.?\d*)(.*)/),r=+o[1],a=o[2];if(!r)return e;if(0===a.indexOf("%")){var s=void 0;switch(a){case"%p":s=n;break;case"%":case"%r":default:s=i}return C(s)[t]/100*r}if("vh"===a||"vw"===a)return("vh"===a?Math.max(document.documentElement.clientHeight,window.innerHeight||0):Math.max(document.documentElement.clientWidth,window.innerWidth||0))/100*r;return r}(e,o,t,n)})})).forEach(function(e,t){e.forEach(function(n,i){z(n)&&(o[t]+=n*("-"===e[i-1]?-1:1))})}),o}var J={placement:"bottom",positionFixed:!1,eventsEnabled:!0,removeOnDestroy:!1,onCreate:function(){},onUpdate:function(){},modifiers:{shift:{order:100,enabled:!0,fn:function(e){var t=e.placement,n=t.split("-")[0],i=t.split("-")[1];if(i){var o=e.offsets,r=o.reference,a=o.popper,s=-1!==["bottom","top"].indexOf(n),l=s?"left":"top",c=s?"width":"height",d={start:O({},l,r[l]),end:O({},l,r[l]+r[c]-a[c])};e.offsets.popper=E({},a,d[i])}return e}},offset:{order:200,enabled:!0,fn:function(e,t){var n=t.offset,i=e.placement,o=e.offsets,r=o.popper,a=o.reference,s=i.split("-")[0],l=void 0;return l=z(+n)?[+n,0]:X(n,r,a,s),"left"===s?(r.top+=l[0],r.left-=l[1]):"right"===s?(r.top+=l[0],r.left+=l[1]):"top"===s?(r.left+=l[0],r.top-=l[1]):"bottom"===s&&(r.left+=l[0],r.top+=l[1]),e.popper=r,e},offset:0},preventOverflow:{order:300,enabled:!0,fn:function(e,t){var n=t.boundariesElement||h(e.instance.popper);e.instance.reference===n&&(n=h(n));var i=M("transform"),o=e.instance.popper.style,r=o.top,a=o.left,s=o[i];o.top="",o.left="",o[i]="";var l=L(e.instance.popper,e.instance.reference,t.padding,n,e.positionFixed);o.top=r,o.left=a,o[i]=s,t.boundaries=l;var c=t.priority,d=e.offsets.popper,u={primary:function(e){var n=d[e];return d[e]l[e]&&!t.escapeWithReference&&(i=Math.min(d[n],l[e]-("right"===e?d.width:d.height))),O({},n,i)}};return c.forEach(function(e){var t=-1!==["left","top"].indexOf(e)?"primary":"secondary";d=E({},d,u[t](e))}),e.offsets.popper=d,e},priority:["left","right","top","bottom"],padding:5,boundariesElement:"scrollParent"},keepTogether:{order:400,enabled:!0,fn:function(e){var t=e.offsets,n=t.popper,i=t.reference,o=e.placement.split("-")[0],r=Math.floor,a=-1!==["top","bottom"].indexOf(o),s=a?"right":"bottom",l=a?"left":"top",c=a?"width":"height";return n[s]r(i[s])&&(e.offsets.popper[l]=r(i[s])),e}},arrow:{order:500,enabled:!0,fn:function(e,t){var n;if(!W(e.instance.modifiers,"arrow","keepTogether"))return e;var i=t.element;if("string"==typeof i){if(!(i=e.instance.popper.querySelector(i)))return e}else if(!e.instance.popper.contains(i))return console.warn("WARNING: `arrow.element` must be child of its popper element!"),e;var o=e.placement.split("-")[0],r=e.offsets,a=r.popper,s=r.reference,c=-1!==["left","right"].indexOf(o),d=c?"height":"width",u=c?"Top":"Left",p=u.toLowerCase(),f=c?"left":"top",h=c?"bottom":"right",v=I(i)[d];s[h]-va[h]&&(e.offsets.popper[p]+=s[p]+v-a[h]),e.offsets.popper=C(e.offsets.popper);var m=s[p]+s[d]/2-v/2,g=l(e.instance.popper),b=parseFloat(g["margin"+u],10),y=parseFloat(g["border"+u+"Width"],10),_=m-e.offsets.popper[p]-b-y;return _=Math.max(Math.min(a[d]-v,_),0),e.arrowElement=i,e.offsets.arrow=(O(n={},p,Math.round(_)),O(n,f,""),n),e},element:"[x-arrow]"},flip:{order:600,enabled:!0,fn:function(e,t){if(H(e.instance.modifiers,"inner"))return e;if(e.flipped&&e.placement===e.originalPlacement)return e;var n=L(e.instance.popper,e.instance.reference,t.padding,t.boundariesElement,e.positionFixed),i=e.placement.split("-")[0],o=j(i),r=e.placement.split("-")[1]||"",a=[];switch(t.behavior){case G.FLIP:a=[i,o];break;case G.CLOCKWISE:a=q(i);break;case G.COUNTERCLOCKWISE:a=q(i,!0);break;default:a=t.behavior}return a.forEach(function(s,l){if(i!==s||a.length===l+1)return e;i=e.placement.split("-")[0],o=j(i);var c=e.offsets.popper,d=e.offsets.reference,u=Math.floor,p="left"===i&&u(c.right)>u(d.left)||"right"===i&&u(c.left)u(d.top)||"bottom"===i&&u(c.top)u(n.right),v=u(c.top)u(n.bottom),g="left"===i&&f||"right"===i&&h||"top"===i&&v||"bottom"===i&&m,b=-1!==["top","bottom"].indexOf(i),y=!!t.flipVariations&&(b&&"start"===r&&f||b&&"end"===r&&h||!b&&"start"===r&&v||!b&&"end"===r&&m);(p||g||y)&&(e.flipped=!0,(p||g)&&(i=a[l+1]),y&&(r=function(e){return"end"===e?"start":"start"===e?"end":e}(r)),e.placement=i+(r?"-"+r:""),e.offsets.popper=E({},e.offsets.popper,A(e.instance.popper,e.offsets.reference,e.placement)),e=D(e.instance.modifiers,e,"flip"))}),e},behavior:"flip",padding:5,boundariesElement:"viewport"},inner:{order:700,enabled:!1,fn:function(e){var t=e.placement,n=t.split("-")[0],i=e.offsets,o=i.popper,r=i.reference,a=-1!==["left","right"].indexOf(n),s=-1===["top","left"].indexOf(n);return o[a?"left":"top"]=r[n]-(s?o[a?"width":"height"]:0),e.placement=j(t),e.offsets.popper=C(o),e}},hide:{order:800,enabled:!0,fn:function(e){if(!W(e.instance.modifiers,"hide","preventOverflow"))return e;var t=e.offsets.reference,n=P(e.instance.modifiers,function(e){return"preventOverflow"===e.name}).boundaries;if(t.bottomn.right||t.top>n.bottom||t.right2&&void 0!==arguments[2]?arguments[2]:{};w(this,e),this.scheduleUpdate=function(){return requestAnimationFrame(i.update)},this.update=a(this.update.bind(this)),this.options=E({},e.Defaults,o),this.state={isDestroyed:!1,isCreated:!1,scrollParents:[]},this.reference=t&&t.jquery?t[0]:t,this.popper=n&&n.jquery?n[0]:n,this.options.modifiers={},Object.keys(E({},e.Defaults.modifiers,o.modifiers)).forEach(function(t){i.options.modifiers[t]=E({},e.Defaults.modifiers[t]||{},o.modifiers?o.modifiers[t]:{})}),this.modifiers=Object.keys(this.options.modifiers).map(function(e){return E({name:e},i.options.modifiers[e])}).sort(function(e,t){return e.order-t.order}),this.modifiers.forEach(function(e){e.enabled&&s(e.onLoad)&&e.onLoad(i.reference,i.popper,i.options,e,i.state)}),this.update();var r=this.options.eventsEnabled;r&&this.enableEventListeners(),this.state.eventsEnabled=r}return x(e,[{key:"update",value:function(){return function(){if(!this.state.isDestroyed){var e={instance:this,styles:{},arrowStyles:{},attributes:{},flipped:!1,offsets:{}};e.offsets.reference=S(this.state,this.popper,this.reference,this.options.positionFixed),e.placement=N(this.options.placement,e.offsets.reference,this.popper,this.reference,this.options.modifiers.flip.boundariesElement,this.options.modifiers.flip.padding),e.originalPlacement=e.placement,e.positionFixed=this.options.positionFixed,e.offsets.popper=A(this.popper,e.offsets.reference,e.placement),e.offsets.popper.position=this.options.positionFixed?"fixed":"absolute",e=D(this.modifiers,e),this.state.isCreated?this.options.onUpdate(e):(this.state.isCreated=!0,this.options.onCreate(e))}}.call(this)}},{key:"destroy",value:function(){return function(){return this.state.isDestroyed=!0,H(this.modifiers,"applyStyle")&&(this.popper.removeAttribute("x-placement"),this.popper.style.position="",this.popper.style.top="",this.popper.style.left="",this.popper.style.right="",this.popper.style.bottom="",this.popper.style.willChange="",this.popper.style[M("transform")]=""),this.disableEventListeners(),this.options.removeOnDestroy&&this.popper.parentNode.removeChild(this.popper),this}.call(this)}},{key:"enableEventListeners",value:function(){return function(){this.state.eventsEnabled||(this.state=R(this.reference,this.options,this.state,this.scheduleUpdate))}.call(this)}},{key:"disableEventListeners",value:function(){return B.call(this)}}]),e}();K.Utils=("undefined"!=typeof window?window:e).PopperUtils,K.placements=V,K.Defaults=J;var Q=function(){};function Z(e){return"string"==typeof e&&(e=e.split(" ")),e}function ee(e,t){var n=Z(t),i=void 0;i=e.className instanceof Q?Z(e.className.baseVal):Z(e.className),n.forEach(function(e){-1===i.indexOf(e)&&i.push(e)}),e instanceof SVGElement?e.setAttribute("class",i.join(" ")):e.className=i.join(" ")}function te(e,t){var n=Z(t),i=void 0;i=e.className instanceof Q?Z(e.className.baseVal):Z(e.className),n.forEach(function(e){var t=i.indexOf(e);-1!==t&&i.splice(t,1)}),e instanceof SVGElement?e.setAttribute("class",i.join(" ")):e.className=i.join(" ")}"undefined"!=typeof window&&(Q=window.SVGAnimatedString);var ne=!1;if("undefined"!=typeof window){ne=!1;try{var ie=Object.defineProperty({},"passive",{get:function(){ne=!0}});window.addEventListener("test",null,ie)}catch(e){}}var oe="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e},re=function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")},ae=function(){function e(e,t){for(var n=0;n
',trigger:"hover focus",offset:0},ce=[],de=function(){function e(t,n){re(this,e),ue.call(this),n=se({},le,n),t.jquery&&(t=t[0]),this.reference=t,this.options=n,this._isOpen=!1,this._init()}return ae(e,[{key:"setClasses",value:function(e){this._classes=e}},{key:"setContent",value:function(e){this.options.title=e,this._tooltipNode&&this._setContent(e,this.options)}},{key:"setOptions",value:function(e){var t=!1,n=e&&e.classes||_e.options.defaultClass;this._classes!==n&&(this.setClasses(n),t=!0),e=ve(e);var i=!1,o=!1;for(var r in this.options.offset===e.offset&&this.options.placement===e.placement||(i=!0),(this.options.template!==e.template||this.options.trigger!==e.trigger||this.options.container!==e.container||t)&&(o=!0),e)this.options[r]=e[r];if(this._tooltipNode)if(o){var a=this._isOpen;this.dispose(),this._init(),a&&this.show()}else i&&this.popperInstance.update()}},{key:"_init",value:function(){var e="string"==typeof this.options.trigger?this.options.trigger.split(" ").filter(function(e){return-1!==["click","hover","focus"].indexOf(e)}):[];this._isDisposed=!1,this._enableDocumentTouch=-1===e.indexOf("manual"),this._setEventListeners(this.reference,e,this.options)}},{key:"_create",value:function(e,t){var n=window.document.createElement("div");n.innerHTML=t.trim();var i=n.childNodes[0];return i.id="tooltip_"+Math.random().toString(36).substr(2,10),i.setAttribute("aria-hidden","true"),this.options.autoHide&&-1!==this.options.trigger.indexOf("hover")&&(i.addEventListener("mouseenter",this.hide),i.addEventListener("click",this.hide)),i}},{key:"_setContent",value:function(e,t){var n=this;this.asyncContent=!1,this._applyContent(e,t).then(function(){n.popperInstance.update()})}},{key:"_applyContent",value:function(e,t){var n=this;return new Promise(function(i,o){var r=t.html,a=n._tooltipNode;if(a){var s=a.querySelector(n.options.innerSelector);if(1===e.nodeType){if(r){for(;s.firstChild;)s.removeChild(s.firstChild);s.appendChild(e)}}else{if("function"==typeof e){var l=e();return void(l&&"function"==typeof l.then?(n.asyncContent=!0,t.loadingClass&&ee(a,t.loadingClass),t.loadingContent&&n._applyContent(t.loadingContent,t),l.then(function(e){return t.loadingClass&&te(a,t.loadingClass),n._applyContent(e,t)}).then(i).catch(o)):n._applyContent(l,t).then(i).catch(o))}r?s.innerHTML=e:s.innerText=e}i()}})}},{key:"_show",value:function(e,t){if(t&&"string"==typeof t.container&&!document.querySelector(t.container))return;clearTimeout(this._disposeTimer),delete(t=Object.assign({},t)).offset;var n=!0;this._tooltipNode&&(ee(this._tooltipNode,this._classes),n=!1);var i=this._ensureShown(e,t);return n&&this._tooltipNode&&ee(this._tooltipNode,this._classes),ee(e,["v-tooltip-open"]),i}},{key:"_ensureShown",value:function(e,t){var n=this;if(this._isOpen)return this;if(this._isOpen=!0,ce.push(this),this._tooltipNode)return this._tooltipNode.style.display="",this._tooltipNode.setAttribute("aria-hidden","false"),this.popperInstance.enableEventListeners(),this.popperInstance.update(),this.asyncContent&&this._setContent(t.title,t),this;var i=e.getAttribute("title")||t.title;if(!i)return this;var o=this._create(e,t.template);this._tooltipNode=o,this._setContent(i,t),e.setAttribute("aria-describedby",o.id);var r=this._findContainer(t.container,e);this._append(o,r);var a=se({},t.popperOptions,{placement:t.placement});return a.modifiers=se({},a.modifiers,{arrow:{element:this.options.arrowSelector}}),t.boundariesElement&&(a.modifiers.preventOverflow={boundariesElement:t.boundariesElement}),this.popperInstance=new K(e,o,a),requestAnimationFrame(function(){!n._isDisposed&&n.popperInstance?(n.popperInstance.update(),requestAnimationFrame(function(){n._isDisposed?n.dispose():n._isOpen&&o.setAttribute("aria-hidden","false")})):n.dispose()}),this}},{key:"_noLongerOpen",value:function(){var e=ce.indexOf(this);-1!==e&&ce.splice(e,1)}},{key:"_hide",value:function(){var e=this;if(!this._isOpen)return this;this._isOpen=!1,this._noLongerOpen(),this._tooltipNode.style.display="none",this._tooltipNode.setAttribute("aria-hidden","true"),this.popperInstance.disableEventListeners(),clearTimeout(this._disposeTimer);var t=_e.options.disposeTimeout;return null!==t&&(this._disposeTimer=setTimeout(function(){e._tooltipNode&&(e._tooltipNode.removeEventListener("mouseenter",e.hide),e._tooltipNode.removeEventListener("click",e.hide),e._tooltipNode.parentNode.removeChild(e._tooltipNode),e._tooltipNode=null)},t)),te(this.reference,["v-tooltip-open"]),this}},{key:"_dispose",value:function(){var e=this;return this._isDisposed=!0,this._events.forEach(function(t){var n=t.func,i=t.event;e.reference.removeEventListener(i,n)}),this._events=[],this._tooltipNode?(this._hide(),this._tooltipNode.removeEventListener("mouseenter",this.hide),this._tooltipNode.removeEventListener("click",this.hide),this.popperInstance.destroy(),this.popperInstance.options.removeOnDestroy||(this._tooltipNode.parentNode.removeChild(this._tooltipNode),this._tooltipNode=null)):this._noLongerOpen(),this}},{key:"_findContainer",value:function(e,t){return"string"==typeof e?e=window.document.querySelector(e):!1===e&&(e=t.parentNode),e}},{key:"_append",value:function(e,t){t.appendChild(e)}},{key:"_setEventListeners",value:function(e,t,n){var i=this,o=[],r=[];t.forEach(function(e){switch(e){case"hover":o.push("mouseenter"),r.push("mouseleave"),i.options.hideOnTargetClick&&r.push("click");break;case"focus":o.push("focus"),r.push("blur"),i.options.hideOnTargetClick&&r.push("click");break;case"click":o.push("click"),r.push("click")}}),o.forEach(function(t){var o=function(t){!0!==i._isOpen&&(t.usedByTooltip=!0,i._scheduleShow(e,n.delay,n,t))};i._events.push({event:t,func:o}),e.addEventListener(t,o)}),r.forEach(function(t){var o=function(t){!0!==t.usedByTooltip&&i._scheduleHide(e,n.delay,n,t)};i._events.push({event:t,func:o}),e.addEventListener(t,o)})}},{key:"_onDocumentTouch",value:function(e){this._enableDocumentTouch&&this._scheduleHide(this.reference,this.options.delay,this.options,e)}},{key:"_scheduleShow",value:function(e,t,n){var i=this,o=t&&t.show||t||0;clearTimeout(this._scheduleTimer),this._scheduleTimer=window.setTimeout(function(){return i._show(e,n)},o)}},{key:"_scheduleHide",value:function(e,t,n,i){var o=this,r=t&&t.hide||t||0;clearTimeout(this._scheduleTimer),this._scheduleTimer=window.setTimeout(function(){if(!1!==o._isOpen&&document.body.contains(o._tooltipNode)){if("mouseleave"===i.type)if(o._setTooltipNodeEvent(i,e,t,n))return;o._hide(e,n)}},r)}}]),e}(),ue=function(){var e=this;this.show=function(){e._show(e.reference,e.options)},this.hide=function(){e._hide()},this.dispose=function(){e._dispose()},this.toggle=function(){return e._isOpen?e.hide():e.show()},this._events=[],this._setTooltipNodeEvent=function(t,n,i,o){var r=t.relatedreference||t.toElement||t.relatedTarget;return!!e._tooltipNode.contains(r)&&(e._tooltipNode.addEventListener(t.type,function i(r){var a=r.relatedreference||r.toElement||r.relatedTarget;e._tooltipNode.removeEventListener(t.type,i),n.contains(a)||e._scheduleHide(n,o.delay,o,r)}),!0)}};"undefined"!=typeof document&&document.addEventListener("touchstart",function(e){for(var t=0;t
',defaultArrowSelector:".tooltip-arrow, .tooltip__arrow",defaultInnerSelector:".tooltip-inner, .tooltip__inner",defaultDelay:0,defaultTrigger:"hover focus",defaultOffset:0,defaultContainer:"body",defaultBoundariesElement:void 0,defaultPopperOptions:{},defaultLoadingClass:"tooltip-loading",defaultLoadingContent:"...",autoHide:!0,defaultHideOnTargetClick:!0,disposeTimeout:5e3,popover:{defaultPlacement:"bottom",defaultClass:"vue-popover-theme",defaultBaseClass:"tooltip popover",defaultWrapperClass:"wrapper",defaultInnerClass:"tooltip-inner popover-inner",defaultArrowClass:"tooltip-arrow popover-arrow",defaultDelay:0,defaultTrigger:"click",defaultOffset:0,defaultContainer:"body",defaultBoundariesElement:void 0,defaultPopperOptions:{},defaultAutoHide:!0,defaultHandleResize:!0}};function ve(e){var t={placement:void 0!==e.placement?e.placement:_e.options.defaultPlacement,delay:void 0!==e.delay?e.delay:_e.options.defaultDelay,html:void 0!==e.html?e.html:_e.options.defaultHtml,template:void 0!==e.template?e.template:_e.options.defaultTemplate,arrowSelector:void 0!==e.arrowSelector?e.arrowSelector:_e.options.defaultArrowSelector,innerSelector:void 0!==e.innerSelector?e.innerSelector:_e.options.defaultInnerSelector,trigger:void 0!==e.trigger?e.trigger:_e.options.defaultTrigger,offset:void 0!==e.offset?e.offset:_e.options.defaultOffset,container:void 0!==e.container?e.container:_e.options.defaultContainer,boundariesElement:void 0!==e.boundariesElement?e.boundariesElement:_e.options.defaultBoundariesElement,autoHide:void 0!==e.autoHide?e.autoHide:_e.options.autoHide,hideOnTargetClick:void 0!==e.hideOnTargetClick?e.hideOnTargetClick:_e.options.defaultHideOnTargetClick,loadingClass:void 0!==e.loadingClass?e.loadingClass:_e.options.defaultLoadingClass,loadingContent:void 0!==e.loadingContent?e.loadingContent:_e.options.defaultLoadingContent,popperOptions:se({},void 0!==e.popperOptions?e.popperOptions:_e.options.defaultPopperOptions)};if(t.offset){var n=oe(t.offset),i=t.offset;("number"===n||"string"===n&&-1===i.indexOf(","))&&(i="0, "+i),t.popperOptions.modifiers||(t.popperOptions.modifiers={}),t.popperOptions.modifiers.offset={offset:i}}return t.trigger&&-1!==t.trigger.indexOf("click")&&(t.hideOnTargetClick=!1),t}function me(e,t){for(var n=e.placement,i=0;i2&&void 0!==arguments[2]?arguments[2]:{},i=ge(t),o=void 0!==t.classes?t.classes:_e.options.defaultClass,r=se({title:i},ve(se({},t,{placement:me(t,n)}))),a=e._tooltip=new de(e,r);a.setClasses(o),a._vueEl=e;var s=void 0!==t.targetClasses?t.targetClasses:_e.options.defaultTargetClass;return e._tooltipTargetClasses=s,ee(e,s),a}(e,n,i),void 0!==n.show&&n.show!==e._tooltipOldShow&&(e._tooltipOldShow=n.show,n.show?r.show():r.hide())}else be(e)}var _e={options:he,bind:ye,update:ye,unbind:function(e){be(e)}};function we(e){e.addEventListener("click",Oe),e.addEventListener("touchstart",Ee,!!ne&&{passive:!0})}function xe(e){e.removeEventListener("click",Oe),e.removeEventListener("touchstart",Ee),e.removeEventListener("touchend",Ce),e.removeEventListener("touchcancel",ke)}function Oe(e){var t=e.currentTarget;e.closePopover=!t.$_vclosepopover_touch,e.closeAllPopover=t.$_closePopoverModifiers&&!!t.$_closePopoverModifiers.all}function Ee(e){if(1===e.changedTouches.length){var t=e.currentTarget;t.$_vclosepopover_touch=!0;var n=e.changedTouches[0];t.$_vclosepopover_touchPoint=n,t.addEventListener("touchend",Ce),t.addEventListener("touchcancel",ke)}}function Ce(e){var t=e.currentTarget;if(t.$_vclosepopover_touch=!1,1===e.changedTouches.length){var n=e.changedTouches[0],i=t.$_vclosepopover_touchPoint;e.closePopover=Math.abs(n.screenY-i.screenY)<20&&Math.abs(n.screenX-i.screenX)<20,e.closeAllPopover=t.$_closePopoverModifiers&&!!t.$_closePopoverModifiers.all}}function ke(e){e.currentTarget.$_vclosepopover_touch=!1}var Te={bind:function(e,t){var n=t.value,i=t.modifiers;e.$_closePopoverModifiers=i,(void 0===n||n)&&we(e)},update:function(e,t){var n=t.value,i=t.oldValue,o=t.modifiers;e.$_closePopoverModifiers=o,n!==i&&(void 0===n||n?we(e):xe(e))},unbind:function(e){xe(e)}};var $e=void 0;function Le(){Le.init||(Le.init=!0,$e=-1!==function(){var e=window.navigator.userAgent,t=e.indexOf("MSIE ");if(t>0)return parseInt(e.substring(t+5,e.indexOf(".",t)),10);if(e.indexOf("Trident/")>0){var n=e.indexOf("rv:");return parseInt(e.substring(n+3,e.indexOf(".",n)),10)}var i=e.indexOf("Edge/");return i>0?parseInt(e.substring(i+5,e.indexOf(".",i)),10):-1}())}var Ne={render:function(){var e=this.$createElement;return(this._self._c||e)("div",{staticClass:"resize-observer",attrs:{tabindex:"-1"}})},staticRenderFns:[],_scopeId:"data-v-b329ee4c",name:"resize-observer",methods:{notify:function(){this.$emit("notify")},addResizeHandlers:function(){this._resizeObject.contentDocument.defaultView.addEventListener("resize",this.notify),this._w===this.$el.offsetWidth&&this._h===this.$el.offsetHeight||this.notify()},removeResizeHandlers:function(){this._resizeObject&&this._resizeObject.onload&&(!$e&&this._resizeObject.contentDocument&&this._resizeObject.contentDocument.defaultView.removeEventListener("resize",this.notify),delete this._resizeObject.onload)}},mounted:function(){var e=this;Le(),this.$nextTick(function(){e._w=e.$el.offsetWidth,e._h=e.$el.offsetHeight});var t=document.createElement("object");this._resizeObject=t,t.setAttribute("style","display: block; position: absolute; top: 0; left: 0; height: 100%; width: 100%; overflow: hidden; pointer-events: none; z-index: -1;"),t.setAttribute("aria-hidden","true"),t.setAttribute("tabindex",-1),t.onload=this.addResizeHandlers,t.type="text/html",$e&&this.$el.appendChild(t),t.data="about:blank",$e||this.$el.appendChild(t)},beforeDestroy:function(){this.removeResizeHandlers()}};var Se={version:"0.4.4",install:function(e){e.component("resize-observer",Ne)}},Ie=null;function je(e){var t=_e.options.popover[e];return void 0===t?_e.options[e]:t}"undefined"!=typeof window?Ie=window.Vue:void 0!==e&&(Ie=e.Vue),Ie&&Ie.use(Se);var Ae=!1;"undefined"!=typeof window&&"undefined"!=typeof navigator&&(Ae=/iPad|iPhone|iPod/.test(navigator.userAgent)&&!window.MSStream);var Pe=[],De=function(){};"undefined"!=typeof window&&(De=window.Element);var He={render:function(){var e=this,t=e.$createElement,n=e._self._c||t;return n("div",{staticClass:"v-popover",class:e.cssClass},[n("span",{ref:"trigger",staticClass:"trigger",staticStyle:{display:"inline-block"},attrs:{"aria-describedby":e.popoverId,tabindex:-1!==e.trigger.indexOf("focus")?0:-1}},[e._t("default")],2),e._v(" "),n("div",{ref:"popover",class:[e.popoverBaseClass,e.popoverClass,e.cssClass],style:{visibility:e.isOpen?"visible":"hidden"},attrs:{id:e.popoverId,"aria-hidden":e.isOpen?"false":"true"}},[n("div",{class:e.popoverWrapperClass},[n("div",{ref:"inner",class:e.popoverInnerClass,staticStyle:{position:"relative"}},[n("div",[e._t("popover")],2),e._v(" "),e.handleResize?n("ResizeObserver",{on:{notify:e.$_handleResize}}):e._e()],1),e._v(" "),n("div",{ref:"arrow",class:e.popoverArrowClass})])])])},staticRenderFns:[],name:"VPopover",components:{ResizeObserver:Ne},props:{open:{type:Boolean,default:!1},disabled:{type:Boolean,default:!1},placement:{type:String,default:function(){return je("defaultPlacement")}},delay:{type:[String,Number,Object],default:function(){return je("defaultDelay")}},offset:{type:[String,Number],default:function(){return je("defaultOffset")}},trigger:{type:String,default:function(){return je("defaultTrigger")}},container:{type:[String,Object,De,Boolean],default:function(){return je("defaultContainer")}},boundariesElement:{type:[String,De],default:function(){return je("defaultBoundariesElement")}},popperOptions:{type:Object,default:function(){return je("defaultPopperOptions")}},popoverClass:{type:[String,Array],default:function(){return je("defaultClass")}},popoverBaseClass:{type:[String,Array],default:function(){return _e.options.popover.defaultBaseClass}},popoverInnerClass:{type:[String,Array],default:function(){return _e.options.popover.defaultInnerClass}},popoverWrapperClass:{type:[String,Array],default:function(){return _e.options.popover.defaultWrapperClass}},popoverArrowClass:{type:[String,Array],default:function(){return _e.options.popover.defaultArrowClass}},autoHide:{type:Boolean,default:function(){return _e.options.popover.defaultAutoHide}},handleResize:{type:Boolean,default:function(){return _e.options.popover.defaultHandleResize}},openGroup:{type:String,default:null}},data:function(){return{isOpen:!1,id:Math.random().toString(36).substr(2,10)}},computed:{cssClass:function(){return{open:this.isOpen}},popoverId:function(){return"popover_"+this.id}},watch:{open:function(e){e?this.show():this.hide()},disabled:function(e,t){e!==t&&(e?this.hide():this.open&&this.show())},container:function(e){if(this.isOpen&&this.popperInstance){var t=this.$refs.popover,n=this.$refs.trigger,i=this.$_findContainer(this.container,n);if(!i)return void console.warn("No container for popover",this);i.appendChild(t),this.popperInstance.scheduleUpdate()}},trigger:function(e){this.$_removeEventListeners(),this.$_addEventListeners()},placement:function(e){var t=this;this.$_updatePopper(function(){t.popperInstance.options.placement=e})},offset:"$_restartPopper",boundariesElement:"$_restartPopper",popperOptions:{handler:"$_restartPopper",deep:!0}},created:function(){this.$_isDisposed=!1,this.$_mounted=!1,this.$_events=[],this.$_preventOpen=!1},mounted:function(){var e=this.$refs.popover;e.parentNode&&e.parentNode.removeChild(e),this.$_init(),this.open&&this.show()},beforeDestroy:function(){this.dispose()},methods:{show:function(){var e=this,t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},n=t.event,i=(t.skipDelay,t.force);!(void 0!==i&&i)&&this.disabled||(this.$_scheduleShow(n),this.$emit("show")),this.$emit("update:open",!0),this.$_beingShowed=!0,requestAnimationFrame(function(){e.$_beingShowed=!1})},hide:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=e.event;e.skipDelay;this.$_scheduleHide(t),this.$emit("hide"),this.$emit("update:open",!1)},dispose:function(){if(this.$_isDisposed=!0,this.$_removeEventListeners(),this.hide({skipDelay:!0}),this.popperInstance&&(this.popperInstance.destroy(),!this.popperInstance.options.removeOnDestroy)){var e=this.$refs.popover;e.parentNode&&e.parentNode.removeChild(e)}this.$_mounted=!1,this.popperInstance=null,this.isOpen=!1,this.$emit("dispose")},$_init:function(){-1===this.trigger.indexOf("manual")&&this.$_addEventListeners()},$_show:function(){var e=this,t=this.$refs.trigger,n=this.$refs.popover;if(clearTimeout(this.$_disposeTimer),!this.isOpen){if(this.popperInstance&&(this.isOpen=!0,this.popperInstance.enableEventListeners(),this.popperInstance.scheduleUpdate()),!this.$_mounted){var i=this.$_findContainer(this.container,t);if(!i)return void console.warn("No container for popover",this);i.appendChild(n),this.$_mounted=!0}if(!this.popperInstance){var o=se({},this.popperOptions,{placement:this.placement});if(o.modifiers=se({},o.modifiers,{arrow:se({},o.modifiers&&o.modifiers.arrow,{element:this.$refs.arrow})}),this.offset){var r=this.$_getOffset();o.modifiers.offset=se({},o.modifiers&&o.modifiers.offset,{offset:r})}this.boundariesElement&&(o.modifiers.preventOverflow=se({},o.modifiers&&o.modifiers.preventOverflow,{boundariesElement:this.boundariesElement})),this.popperInstance=new K(t,n,o),requestAnimationFrame(function(){!e.$_isDisposed&&e.popperInstance?(e.popperInstance.scheduleUpdate(),requestAnimationFrame(function(){e.$_isDisposed?e.dispose():e.isOpen=!0})):e.dispose()})}var a=this.openGroup;if(a)for(var s=void 0,l=0;l1&&void 0!==arguments[1]&&arguments[1];if(clearTimeout(this.$_scheduleTimer),e)this.$_show();else{var t=parseInt(this.delay&&this.delay.show||this.delay||0);this.$_scheduleTimer=setTimeout(this.$_show.bind(this),t)}},$_scheduleHide:function(){var e=this,t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:null,n=arguments.length>1&&void 0!==arguments[1]&&arguments[1];if(clearTimeout(this.$_scheduleTimer),n)this.$_hide();else{var i=parseInt(this.delay&&this.delay.hide||this.delay||0);this.$_scheduleTimer=setTimeout(function(){if(e.isOpen){if(t&&"mouseleave"===t.type)if(e.$_setTooltipNodeEvent(t))return;e.$_hide()}},i)}},$_setTooltipNodeEvent:function(e){var t=this,n=this.$refs.trigger,i=this.$refs.popover,o=e.relatedreference||e.toElement||e.relatedTarget;return!!i.contains(o)&&(i.addEventListener(e.type,function o(r){var a=r.relatedreference||r.toElement||r.relatedTarget;i.removeEventListener(e.type,o),n.contains(a)||t.hide({event:r})}),!0)},$_removeEventListeners:function(){var e=this.$refs.trigger;this.$_events.forEach(function(t){var n=t.func,i=t.event;e.removeEventListener(i,n)}),this.$_events=[]},$_updatePopper:function(e){this.popperInstance&&(e(),this.isOpen&&this.popperInstance.scheduleUpdate())},$_restartPopper:function(){if(this.popperInstance){var e=this.isOpen;this.dispose(),this.$_isDisposed=!1,this.$_init(),e&&this.show({skipDelay:!0,force:!0})}},$_handleGlobalClose:function(e){var t=this,n=arguments.length>1&&void 0!==arguments[1]&&arguments[1];this.$_beingShowed||(this.hide({event:e}),e.closePopover?this.$emit("close-directive"):this.$emit("auto-hide"),n&&(this.$_preventOpen=!0,setTimeout(function(){t.$_preventOpen=!1},300)))},$_handleResize:function(){this.isOpen&&this.popperInstance&&(this.popperInstance.scheduleUpdate(),this.$emit("resize"))}}};function Me(e){var t=arguments.length>1&&void 0!==arguments[1]&&arguments[1];requestAnimationFrame(function(){for(var n=void 0,i=0;i-1},te.prototype.set=function(e,t){var n=this.__data__,i=se(n,e);return i<0?(++this.size,n.push([e,t])):n[i][1]=t,this},ne.prototype.clear=function(){this.size=0,this.__data__={hash:new ee,map:new(K||te),string:new ee}},ne.prototype.delete=function(e){var t=me(this,e).delete(e);return this.size-=t?1:0,t},ne.prototype.get=function(e){return me(this,e).get(e)},ne.prototype.has=function(e){return me(this,e).has(e)},ne.prototype.set=function(e,t){var n=me(this,e),i=n.size;return n.set(e,t),this.size+=n.size==i?0:1,this},ie.prototype.clear=function(){this.__data__=new te,this.size=0},ie.prototype.delete=function(e){var t=this.__data__,n=t.delete(e);return this.size=t.size,n},ie.prototype.get=function(e){return this.__data__.get(e)},ie.prototype.has=function(e){return this.__data__.has(e)},ie.prototype.set=function(e,t){var i=this.__data__;if(i instanceof te){var o=i.__data__;if(!K||o.length-1&&e%1==0&&e0){if(++t>=o)return arguments[0]}else t=0;return e.apply(void 0,arguments)}}(q?function(e,t){return q(e,"toString",{configurable:!0,enumerable:!1,value:function(e){return function(){return e}}(t),writable:!0})}:je);function we(e,t){return e===t||e!=e&&t!=t}var xe=ue(function(){return arguments}())?ue:function(e){return Le(e)&&j.call(e,"callee")&&!W.call(e,"callee")},Oe=Array.isArray;function Ee(e){return null!=e&&Te(e.length)&&!ke(e)}var Ce=G||function(){return!1};function ke(e){if(!$e(e))return!1;var t=de(e);return t==c||t==d||t==l||t==f}function Te(e){return"number"==typeof e&&e>-1&&e%1==0&&e<=a}function $e(e){var t=typeof e;return null!=e&&("object"==t||"function"==t)}function Le(e){return null!=e&&"object"==typeof e}var Ne=k?function(e){return function(t){return e(t)}}(k):function(e){return Le(e)&&Te(e.length)&&!!g[de(e)]};function Se(e){return Ee(e)?oe(e,!0):fe(e)}var Ie=function(e){return ve(function(t,n){var i=-1,o=n.length,r=o>1?n[o-1]:void 0,a=o>2?n[2]:void 0;for(r=e.length>3&&"function"==typeof r?(o--,r):void 0,a&&function(e,t,n){if(!$e(n))return!1;var i=typeof t;return!!("number"==i?Ee(n)&&be(t,n.length):"string"==i&&t in n)&&we(n[t],e)}(n[0],n[1],a)&&(r=o<3?void 0:r,o=1),t=Object(t);++i1&&void 0!==arguments[1]?arguments[1]:{};if(!e.installed){e.installed=!0;var i={};Re(i,he,n),Be.options=i,_e.options=i,t.directive("tooltip",_e),t.directive("close-popover",Te),t.component("v-popover",He)}},get enabled(){return pe.enabled},set enabled(e){pe.enabled=e}},ze=null;"undefined"!=typeof window?ze=window.Vue:void 0!==e&&(ze=e.Vue),ze&&ze.use(Be),t.a=Be}).call(this,n(21))},326:function(e,t,n){ +/*! + * vue-infinite-loading v2.3.3 + * (c) 2016-2018 PeachScript + * MIT License + */ +e.exports=function(e){function t(i){if(n[i])return n[i].exports;var o=n[i]={i:i,l:!1,exports:{}};return e[i].call(o.exports,o,o.exports,t),o.l=!0,o.exports}var n={};return t.m=e,t.c=n,t.d=function(e,n,i){t.o(e,n)||Object.defineProperty(e,n,{configurable:!1,enumerable:!0,get:i})},t.n=function(e){var n=e&&e.__esModule?function(){return e.default}:function(){return e};return t.d(n,"a",n),n},t.o=function(e,t){return Object.prototype.hasOwnProperty.call(e,t)},t.p="/",t(t.s=3)}([function(e,t){function n(e,t){var n=e[1]||"",i=e[3];if(!i)return n;if(t&&"function"==typeof btoa){var o=function(e){return"/*# sourceMappingURL=data:application/json;charset=utf-8;base64,"+btoa(unescape(encodeURIComponent(JSON.stringify(e))))+" */"}(i);return[n].concat(i.sources.map(function(e){return"/*# sourceURL="+i.sourceRoot+e+" */"})).concat([o]).join("\n")}return[n].join("\n")}e.exports=function(e){var t=[];return t.toString=function(){return this.map(function(t){var i=n(t,e);return t[2]?"@media "+t[2]+"{"+i+"}":i}).join("")},t.i=function(e,n){"string"==typeof e&&(e=[[null,e,""]]);for(var i={},o=0;on.parts.length&&(i.parts.length=n.parts.length)}else{for(var a=[],o=0;o',"\nscript:\n...\ninfiniteHandler($state) {\n ajax('https://www.example.com/api/news')\n .then((res) => {\n if (res.data.length) {\n $state.loaded();\n } else {\n $state.complete();\n }\n });\n}\n...","","more details: https://github.com/PeachScript/vue-infinite-loading/issues/57#issuecomment-324370549"].join("\n"),INFINITE_EVENT:"[Vue-infinite-loading warn]: `:on-infinite` property will be deprecated soon, please use `@infinite` event instead."},r={INFINITE_LOOP:["[Vue-infinite-loading error]: executed the callback function more than 10 times for a short time, it looks like searched a wrong scroll wrapper that doest not has fixed height or maximum height, please check it. If you want to force to set a element as scroll wrapper ranther than automatic searching, you can do this:",'\n\x3c!-- add a special attribute for the real scroll wrapper --\x3e\n
\n ...\n \x3c!-- set force-use-infinite-wrapper to true --\x3e\n \n
\n ',"more details: https://github.com/PeachScript/vue-infinite-loading/issues/55#issuecomment-316934169"].join("\n")},a=function(){var e=!1;try{var t=Object.defineProperty({},"passive",{get:function(){e={passive:!0}}});window.addEventListener("testpassive",t,t),window.remove("testpassive",t,t)}catch(e){}return e}();t.a={name:"InfiniteLoading",data:function(){return{scrollParent:null,scrollHandler:null,isLoading:!1,isComplete:!1,isFirstLoad:!0,inThrottle:!1,throttleLimit:50,infiniteLoopChecked:!1,infiniteLoopTimer:null,continuousCallTimes:0}},components:{Spinner:i.a},computed:{isNoResults:{cache:!1,get:function(){var e=this.$slots["no-results"],t=e&&e[0].elm&&""===e[0].elm.textContent;return!this.isLoading&&this.isComplete&&this.isFirstLoad&&!t}},isNoMore:{cache:!1,get:function(){var e=this.$slots["no-more"],t=e&&e[0].elm&&""===e[0].elm.textContent;return!this.isLoading&&this.isComplete&&!this.isFirstLoad&&!t}}},props:{distance:{type:Number,default:100},onInfinite:Function,spinner:String,direction:{type:String,default:"bottom"},forceUseInfiniteWrapper:null},mounted:function(){var e=this;this.scrollParent=this.getScrollParent(),this.scrollHandler=function(e){var t=this;this.isLoading||(e&&e.constructor===Event?this.inThrottle||(this.inThrottle=!0,setTimeout(function(){t.attemptLoad(),t.inThrottle=!1},this.throttleLimit)):this.attemptLoad())}.bind(this),setTimeout(this.scrollHandler,1),this.scrollParent.addEventListener("scroll",this.scrollHandler,a),this.$on("$InfiniteLoading:loaded",function(t){e.isFirstLoad=!1,e.isLoading&&e.$nextTick(e.attemptLoad.bind(null,!0)),t&&t.target===e||console.warn(o.STATE_CHANGER)}),this.$on("$InfiniteLoading:complete",function(t){e.isLoading=!1,e.isComplete=!0,e.$nextTick(function(){e.$forceUpdate()}),e.scrollParent.removeEventListener("scroll",e.scrollHandler,a),t&&t.target===e||console.warn(o.STATE_CHANGER)}),this.$on("$InfiniteLoading:reset",function(){e.isLoading=!1,e.isComplete=!1,e.isFirstLoad=!0,e.inThrottle=!1,e.scrollParent.addEventListener("scroll",e.scrollHandler,a),setTimeout(e.scrollHandler,1)}),this.onInfinite&&console.warn(o.INFINITE_EVENT),this.stateChanger={loaded:function(){e.$emit("$InfiniteLoading:loaded",{target:e})},complete:function(){e.$emit("$InfiniteLoading:complete",{target:e})},reset:function(){e.$emit("$InfiniteLoading:reset",{target:e})}},this.$watch("forceUseInfiniteWrapper",function(){e.scrollParent=e.getScrollParent()})},deactivated:function(){this.isLoading=!1,this.scrollParent.removeEventListener("scroll",this.scrollHandler,a)},activated:function(){this.scrollParent.addEventListener("scroll",this.scrollHandler,a)},methods:{attemptLoad:function(e){var t=this,n=this.getCurrentDistance();!this.isComplete&&n<=this.distance&&this.$el.offsetWidth+this.$el.offsetHeight>0?(this.isLoading=!0,"function"==typeof this.onInfinite?this.onInfinite.call(null,this.stateChanger):this.$emit("infinite",this.stateChanger),!e||this.forceUseInfiniteWrapper||this.infiniteLoopChecked||(this.continuousCallTimes+=1,clearTimeout(this.infiniteLoopTimer),this.infiniteLoopTimer=setTimeout(function(){t.infiniteLoopChecked=!0},1e3),this.continuousCallTimes>10&&(console.error(r.INFINITE_LOOP),this.infiniteLoopChecked=!0))):this.isLoading=!1},getCurrentDistance:function(){return"top"===this.direction?isNaN(this.scrollParent.scrollTop)?this.scrollParent.pageYOffset:this.scrollParent.scrollTop:this.$el.getBoundingClientRect().top-(this.scrollParent===window?window.innerHeight:this.scrollParent.getBoundingClientRect().bottom)},getScrollParent:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:this.$el,t=void 0;return"BODY"===e.tagName?t=window:!this.forceUseInfiniteWrapper&&["scroll","auto"].indexOf(getComputedStyle(e).overflowY)>-1?t=e:(e.hasAttribute("infinite-wrapper")||e.hasAttribute("data-infinite-wrapper"))&&(t=e),t||this.getScrollParent(e.parentNode)}},destroyed:function(){this.isComplete||this.scrollParent.removeEventListener("scroll",this.scrollHandler,a)}}},function(e,t,n){"use strict";var i=n(12),o=n(13),r=n(2),a=function(e){n(10)},s=r(i.a,o.a,a,"data-v-10a220cc",null);t.a=s.exports},function(e,t,n){var i=n(11);"string"==typeof i&&(i=[[e.i,i,""]]),i.locals&&(e.exports=i.locals),n(1)("2914e7ad",i,!0)},function(e,t,n){(e.exports=n(0)(void 0)).push([e.i,'.loading-wave-dots[data-v-10a220cc]{position:relative}.loading-wave-dots[data-v-10a220cc] .wave-item{position:absolute;top:50%;left:50%;display:inline-block;margin-top:-4px;width:8px;height:8px;border-radius:50%;-webkit-animation:loading-wave-dots-data-v-10a220cc linear 2.8s infinite;animation:loading-wave-dots-data-v-10a220cc linear 2.8s infinite}.loading-wave-dots[data-v-10a220cc] .wave-item:first-child{margin-left:-36px}.loading-wave-dots[data-v-10a220cc] .wave-item:nth-child(2){margin-left:-20px;-webkit-animation-delay:.14s;animation-delay:.14s}.loading-wave-dots[data-v-10a220cc] .wave-item:nth-child(3){margin-left:-4px;-webkit-animation-delay:.28s;animation-delay:.28s}.loading-wave-dots[data-v-10a220cc] .wave-item:nth-child(4){margin-left:12px;-webkit-animation-delay:.42s;animation-delay:.42s}.loading-wave-dots[data-v-10a220cc] .wave-item:last-child{margin-left:28px;-webkit-animation-delay:.56s;animation-delay:.56s}@-webkit-keyframes loading-wave-dots-data-v-10a220cc{0%{-webkit-transform:translateY(0);transform:translateY(0);background:#bbb}10%{-webkit-transform:translateY(-6px);transform:translateY(-6px);background:#999}20%{-webkit-transform:translateY(0);transform:translateY(0);background:#bbb}to{-webkit-transform:translateY(0);transform:translateY(0);background:#bbb}}@keyframes loading-wave-dots-data-v-10a220cc{0%{-webkit-transform:translateY(0);transform:translateY(0);background:#bbb}10%{-webkit-transform:translateY(-6px);transform:translateY(-6px);background:#999}20%{-webkit-transform:translateY(0);transform:translateY(0);background:#bbb}to{-webkit-transform:translateY(0);transform:translateY(0);background:#bbb}}.loading-circles[data-v-10a220cc] .circle-item{width:5px;height:5px;-webkit-animation:loading-circles-data-v-10a220cc linear .75s infinite;animation:loading-circles-data-v-10a220cc linear .75s infinite}.loading-circles[data-v-10a220cc] .circle-item:first-child{margin-top:-14.5px;margin-left:-2.5px}.loading-circles[data-v-10a220cc] .circle-item:nth-child(2){margin-top:-11.26px;margin-left:6.26px}.loading-circles[data-v-10a220cc] .circle-item:nth-child(3){margin-top:-2.5px;margin-left:9.5px}.loading-circles[data-v-10a220cc] .circle-item:nth-child(4){margin-top:6.26px;margin-left:6.26px}.loading-circles[data-v-10a220cc] .circle-item:nth-child(5){margin-top:9.5px;margin-left:-2.5px}.loading-circles[data-v-10a220cc] .circle-item:nth-child(6){margin-top:6.26px;margin-left:-11.26px}.loading-circles[data-v-10a220cc] .circle-item:nth-child(7){margin-top:-2.5px;margin-left:-14.5px}.loading-circles[data-v-10a220cc] .circle-item:last-child{margin-top:-11.26px;margin-left:-11.26px}@-webkit-keyframes loading-circles-data-v-10a220cc{0%{background:#dfdfdf}90%{background:#505050}to{background:#dfdfdf}}@keyframes loading-circles-data-v-10a220cc{0%{background:#dfdfdf}90%{background:#505050}to{background:#dfdfdf}}.loading-bubbles[data-v-10a220cc] .bubble-item{background:#666;-webkit-animation:loading-bubbles-data-v-10a220cc linear .75s infinite;animation:loading-bubbles-data-v-10a220cc linear .75s infinite}.loading-bubbles[data-v-10a220cc] .bubble-item:first-child{margin-top:-12.5px;margin-left:-.5px}.loading-bubbles[data-v-10a220cc] .bubble-item:nth-child(2){margin-top:-9.26px;margin-left:8.26px}.loading-bubbles[data-v-10a220cc] .bubble-item:nth-child(3){margin-top:-.5px;margin-left:11.5px}.loading-bubbles[data-v-10a220cc] .bubble-item:nth-child(4){margin-top:8.26px;margin-left:8.26px}.loading-bubbles[data-v-10a220cc] .bubble-item:nth-child(5){margin-top:11.5px;margin-left:-.5px}.loading-bubbles[data-v-10a220cc] .bubble-item:nth-child(6){margin-top:8.26px;margin-left:-9.26px}.loading-bubbles[data-v-10a220cc] .bubble-item:nth-child(7){margin-top:-.5px;margin-left:-12.5px}.loading-bubbles[data-v-10a220cc] .bubble-item:last-child{margin-top:-9.26px;margin-left:-9.26px}@-webkit-keyframes loading-bubbles-data-v-10a220cc{0%{width:1px;height:1px;box-shadow:0 0 0 3px #666}90%{width:1px;height:1px;box-shadow:0 0 0 0 #666}to{width:1px;height:1px;box-shadow:0 0 0 3px #666}}@keyframes loading-bubbles-data-v-10a220cc{0%{width:1px;height:1px;box-shadow:0 0 0 3px #666}90%{width:1px;height:1px;box-shadow:0 0 0 0 #666}to{width:1px;height:1px;box-shadow:0 0 0 3px #666}}.loading-default[data-v-10a220cc]{position:relative;border:1px solid #999;-webkit-animation:loading-rotating-data-v-10a220cc ease 1.5s infinite;animation:loading-rotating-data-v-10a220cc ease 1.5s infinite}.loading-default[data-v-10a220cc]:before{content:"";position:absolute;display:block;top:0;left:50%;margin-top:-3px;margin-left:-3px;width:6px;height:6px;background-color:#999;border-radius:50%}.loading-spiral[data-v-10a220cc]{border:2px solid #777;border-right-color:transparent;-webkit-animation:loading-rotating-data-v-10a220cc linear .85s infinite;animation:loading-rotating-data-v-10a220cc linear .85s infinite}@-webkit-keyframes loading-rotating-data-v-10a220cc{0%{-webkit-transform:rotate(0);transform:rotate(0)}to{-webkit-transform:rotate(1turn);transform:rotate(1turn)}}@keyframes loading-rotating-data-v-10a220cc{0%{-webkit-transform:rotate(0);transform:rotate(0)}to{-webkit-transform:rotate(1turn);transform:rotate(1turn)}}.loading-bubbles[data-v-10a220cc],.loading-circles[data-v-10a220cc]{position:relative}.loading-bubbles[data-v-10a220cc] .bubble-item,.loading-circles[data-v-10a220cc] .circle-item{position:absolute;top:50%;left:50%;display:inline-block;border-radius:50%}.loading-bubbles[data-v-10a220cc] .bubble-item:nth-child(2),.loading-circles[data-v-10a220cc] .circle-item:nth-child(2){-webkit-animation-delay:93ms;animation-delay:93ms}.loading-bubbles[data-v-10a220cc] .bubble-item:nth-child(3),.loading-circles[data-v-10a220cc] .circle-item:nth-child(3){-webkit-animation-delay:.186s;animation-delay:.186s}.loading-bubbles[data-v-10a220cc] .bubble-item:nth-child(4),.loading-circles[data-v-10a220cc] .circle-item:nth-child(4){-webkit-animation-delay:.279s;animation-delay:.279s}.loading-bubbles[data-v-10a220cc] .bubble-item:nth-child(5),.loading-circles[data-v-10a220cc] .circle-item:nth-child(5){-webkit-animation-delay:.372s;animation-delay:.372s}.loading-bubbles[data-v-10a220cc] .bubble-item:nth-child(6),.loading-circles[data-v-10a220cc] .circle-item:nth-child(6){-webkit-animation-delay:.465s;animation-delay:.465s}.loading-bubbles[data-v-10a220cc] .bubble-item:nth-child(7),.loading-circles[data-v-10a220cc] .circle-item:nth-child(7){-webkit-animation-delay:.558s;animation-delay:.558s}.loading-bubbles[data-v-10a220cc] .bubble-item:last-child,.loading-circles[data-v-10a220cc] .circle-item:last-child{-webkit-animation-delay:.651s;animation-delay:.651s}',""])},function(e,t,n){"use strict";var i={BUBBLES:{render:function(e){return e("span",{attrs:{class:"loading-bubbles"}},Array.apply(Array,Array(8)).map(function(){return e("span",{attrs:{class:"bubble-item"}})}))}},CIRCLES:{render:function(e){return e("span",{attrs:{class:"loading-circles"}},Array.apply(Array,Array(8)).map(function(){return e("span",{attrs:{class:"circle-item"}})}))}},DEFAULT:{render:function(e){return e("i",{attrs:{class:"loading-default"}})}},SPIRAL:{render:function(e){return e("i",{attrs:{class:"loading-spiral"}})}},WAVEDOTS:{render:function(e){return e("span",{attrs:{class:"loading-wave-dots"}},Array.apply(Array,Array(5)).map(function(){return e("span",{attrs:{class:"wave-item"}})}))}}};t.a={name:"spinner",computed:{spinnerView:function(){return i[(this.spinner||"").toUpperCase()]||i.DEFAULT}},props:{spinner:String}}},function(e,t,n){"use strict";var i={render:function(){var e=this,t=e.$createElement;return(e._self._c||t)(e.spinnerView,{tag:"component"})},staticRenderFns:[]};t.a=i},function(e,t,n){"use strict";var i={render:function(){var e=this,t=e.$createElement,n=e._self._c||t;return n("div",{staticClass:"infinite-loading-container"},[n("div",{directives:[{name:"show",rawName:"v-show",value:e.isLoading,expression:"isLoading"}]},[e._t("spinner",[n("spinner",{attrs:{spinner:e.spinner}})])],2),e._v(" "),n("div",{directives:[{name:"show",rawName:"v-show",value:e.isNoResults,expression:"isNoResults"}],staticClass:"infinite-status-prompt"},[e._t("no-results",[e._v("No results :(")])],2),e._v(" "),n("div",{directives:[{name:"show",rawName:"v-show",value:e.isNoMore,expression:"isNoMore"}],staticClass:"infinite-status-prompt"},[e._t("no-more",[e._v("No more data :)")])],2)])},staticRenderFns:[]};t.a=i}])}}]); +//# sourceMappingURL=6.js.map \ No newline at end of file diff --git a/settings/js/6.js.map b/settings/js/6.js.map new file mode 100644 index 0000000000..b2308261a8 --- /dev/null +++ b/settings/js/6.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["webpack:///./node_modules/vue-click-outside/index.js","webpack:///./node_modules/v-tooltip/dist/v-tooltip.esm.js","webpack:///./node_modules/vue-infinite-loading/dist/vue-infinite-loading.js"],"names":["validate","binding","value","console","warn","expression","isServer","vNode","componentInstance","$isServer","module","exports","bind","el","handler","e","context","elements","path","composedPath","length","unshift","target","contains","popupItem","i","len","isPopup","__vueClickOutside__","callback","document","addEventListener","update","unbind","removeEventListener","global","isBrowser","window","longerTimeoutBrowsers","timeoutDuration","navigator","userAgent","indexOf","debounce","Promise","fn","called","resolve","then","scheduled","setTimeout","isFunction","functionToCheck","toString","call","getStyleComputedProperty","element","property","nodeType","css","getComputedStyle","getParentNode","nodeName","parentNode","host","getScrollParent","body","ownerDocument","_getStyleComputedProp","overflow","overflowX","overflowY","test","isIE11","MSInputMethodContext","documentMode","isIE10","isIE","version","getOffsetParent","documentElement","noOffsetParent","offsetParent","nextElementSibling","getRoot","node","findCommonOffsetParent","element1","element2","order","compareDocumentPosition","Node","DOCUMENT_POSITION_FOLLOWING","start","end","range","createRange","setStart","setEnd","commonAncestorContainer","firstElementChild","isOffsetContainer","element1root","getScroll","upperSide","arguments","undefined","html","scrollingElement","getBordersSize","styles","axis","sideA","sideB","parseFloat","getSize","computedStyle","Math","max","getWindowSizes","height","width","classCallCheck","instance","Constructor","TypeError","createClass","defineProperties","props","descriptor","enumerable","configurable","writable","Object","defineProperty","key","protoProps","staticProps","prototype","obj","_extends","assign","source","hasOwnProperty","getClientRect","offsets","right","left","bottom","top","getBoundingClientRect","rect","scrollTop","scrollLeft","result","sizes","clientWidth","clientHeight","horizScrollbar","offsetWidth","vertScrollbar","offsetHeight","getOffsetRectRelativeToArbitraryNode","children","parent","fixedPosition","isHTML","childrenRect","parentRect","scrollParent","borderTopWidth","borderLeftWidth","marginTop","marginLeft","subtract","modifier","includeScroll","getFixedPositionOffsetParent","parentElement","getBoundaries","popper","reference","padding","boundariesElement","boundaries","excludeScroll","relativeOffset","innerWidth","innerHeight","getViewportOffsetRectRelativeToArtbitraryNode","boundariesNode","isFixed","_getWindowSizes","computeAutoPlacement","placement","refRect","rects","sortedAreas","keys","map","area","_ref","getArea","sort","a","b","filteredAreas","filter","_ref2","computedPlacement","variation","split","getReferenceOffsets","state","getOuterSizes","x","marginBottom","y","marginRight","getOppositePlacement","hash","replace","matched","getPopperOffsets","referenceOffsets","popperRect","popperOffsets","isHoriz","mainSide","secondarySide","measurement","secondaryMeasurement","find","arr","check","Array","runModifiers","modifiers","data","ends","slice","prop","findIndex","cur","match","forEach","enabled","isModifierEnabled","modifierName","some","name","getSupportedPropertyName","prefixes","upperProp","charAt","toUpperCase","prefix","toCheck","style","getWindow","defaultView","setupEventListeners","options","updateBound","passive","scrollElement","attachToScrollParents","event","scrollParents","isBody","push","eventsEnabled","disableEventListeners","this","cancelAnimationFrame","scheduleUpdate","removeEventListeners","isNumeric","n","isNaN","isFinite","setStyles","unit","isModifierRequired","requestingName","requestedName","requesting","isRequired","_requesting","requested","placements","validPlacements","clockwise","counter","index","concat","reverse","BEHAVIORS","FLIP","CLOCKWISE","COUNTERCLOCKWISE","parseOffset","offset","basePlacement","useHeight","fragments","frag","trim","divider","search","splitRegex","ops","op","mergeWithPrevious","reduce","str","toValue","index2","Defaults","positionFixed","removeOnDestroy","onCreate","onUpdate","shift","shiftvariation","_data$offsets","isVertical","side","shiftOffsets","preventOverflow","transformProp","popperStyles","transform","priority","primary","escapeWithReference","secondary","min","keepTogether","floor","opSide","arrow","_data$offsets$arrow","arrowElement","querySelector","sideCapitalized","toLowerCase","altSide","arrowElementSize","center","popperMarginSide","popperBorderSide","sideValue","round","flip","flipped","originalPlacement","placementOpposite","flipOrder","behavior","step","refOffsets","overlapsRef","overflowsLeft","overflowsRight","overflowsTop","overflowsBottom","overflowsBoundaries","flippedVariation","flipVariations","getOppositeVariation","inner","subtractLength","hide","bound","attributes","computeStyle","legacyGpuAccelerationOption","gpuAcceleration","offsetParentRect","position","prefixedProperty","willChange","invertTop","invertLeft","x-placement","arrowStyles","applyStyle","setAttribute","removeAttribute","setAttributes","onLoad","modifierOptions","Popper","_this","requestAnimationFrame","isDestroyed","isCreated","jquery","enableEventListeners","removeChild","Utils","PopperUtils","SVGAnimatedString","convertToArray","addClasses","classes","newClasses","classList","className","baseVal","newClass","SVGElement","join","removeClasses","splice","supportsPassive","opts","get","_typeof","Symbol","iterator","constructor","classCallCheck$1","createClass$1","_extends$1","DEFAULT_OPTIONS","container","delay","title","template","trigger","openTooltips","Tooltip","_initialiseProps","_isOpen","_init","_classes","content","_tooltipNode","_setContent","classesUpdated","directive","defaultClass","setClasses","getOptions","needPopperUpdate","needRestart","isOpen","dispose","show","popperInstance","events","_isDisposed","_enableDocumentTouch","_setEventListeners","tooltipGenerator","createElement","innerHTML","tooltipNode","childNodes","id","random","substr","autoHide","asyncContent","_applyContent","_this2","reject","allowHtml","rootNode","titleNode","innerSelector","firstChild","appendChild","loadingClass","loadingContent","asyncResult","catch","innerText","clearTimeout","_disposeTimer","updateClasses","_ensureShown","_this3","display","getAttribute","_create","_findContainer","_append","popperOptions","arrowSelector","_this4","_noLongerOpen","disposeTime","disposeTimeout","_this5","_events","func","_hide","destroy","_this6","directEvents","oppositeEvents","hideOnTargetClick","evt","usedByTooltip","_scheduleShow","_scheduleHide","_this7","computedDelay","_scheduleTimer","_show","_this8","type","_setTooltipNodeEvent","_this9","_dispose","toggle","relatedreference","toElement","relatedTarget","evt2","relatedreference2","_onDocumentTouch","capture","positions","defaultOptions","defaultPlacement","defaultTargetClass","defaultHtml","defaultTemplate","defaultArrowSelector","defaultInnerSelector","defaultDelay","defaultTrigger","defaultOffset","defaultContainer","defaultBoundariesElement","defaultPopperOptions","defaultLoadingClass","defaultLoadingContent","defaultHideOnTargetClick","popover","defaultBaseClass","defaultWrapperClass","defaultInnerClass","defaultArrowClass","defaultAutoHide","defaultHandleResize","typeofOffset","getPlacement","pos","getContent","destroyTooltip","_tooltip","_tooltipOldShow","_tooltipTargetClasses","oldValue","tooltip","setContent","setOptions","_vueEl","targetClasses","createTooltip","addListeners","onClick","onTouchStart","removeListeners","onTouchEnd","onTouchCancel","currentTarget","closePopover","$_vclosepopover_touch","closeAllPopover","$_closePopoverModifiers","all","changedTouches","touch","$_vclosepopover_touchPoint","firstTouch","abs","screenY","screenX","vclosepopover","isIE$1","initCompat","init","ua","msie","parseInt","substring","rv","edge","getInternetExplorerVersion","ResizeObserver","render","_h","$createElement","_self","_c","staticClass","attrs","tabindex","staticRenderFns","_scopeId","methods","notify","$emit","addResizeHandlers","_resizeObject","contentDocument","_w","$el","removeResizeHandlers","onload","mounted","$nextTick","object","beforeDestroy","plugin$2","install","Vue","component","GlobalVue$1","getDefault","use","isIOS","MSStream","openPopovers","Element","Popover","_vm","class","cssClass","ref","staticStyle","aria-describedby","popoverId","_t","_v","popoverBaseClass","popoverClass","visibility","aria-hidden","popoverWrapperClass","popoverInnerClass","handleResize","on","$_handleResize","_e","popoverArrowClass","components","open","Boolean","default","disabled","String","Number","openGroup","computed","watch","val","oldVal","popoverNode","$refs","$_findContainer","$_removeEventListeners","$_addEventListeners","$_updatePopper","deep","created","$_isDisposed","$_mounted","$_events","$_preventOpen","$_init","_ref$force","skipDelay","force","$_scheduleShow","$_beingShowed","$_scheduleHide","$_show","$_disposeTimer","$_getOffset","$_hide","$_scheduleTimer","$_setTooltipNodeEvent","event2","_ref3","cb","$_restartPopper","$_handleGlobalClose","handleGlobalClose","commonjsGlobal","self","lodash_merge","createCommonjsModule","LARGE_ARRAY_SIZE","HASH_UNDEFINED","HOT_COUNT","HOT_SPAN","MAX_SAFE_INTEGER","argsTag","asyncTag","funcTag","genTag","nullTag","objectTag","proxyTag","undefinedTag","reIsHostCtor","reIsUint","typedArrayTags","freeGlobal","freeSelf","root","Function","freeExports","freeModule","moduleExports","freeProcess","process","nodeUtil","nodeIsTypedArray","isTypedArray","safeGet","arrayProto","funcProto","objectProto","coreJsData","funcToString","maskSrcKey","uid","exec","IE_PROTO","nativeObjectToString","objectCtorString","reIsNative","RegExp","Buffer","Uint8Array","allocUnsafe","getPrototype","arg","overArg","getPrototypeOf","objectCreate","create","propertyIsEnumerable","symToStringTag","toStringTag","getNative","nativeIsBuffer","isBuffer","nativeMax","nativeNow","Date","now","Map","nativeCreate","baseCreate","proto","isObject","Hash","entries","clear","entry","set","ListCache","MapCache","Stack","__data__","size","arrayLikeKeys","inherited","isArr","isArray","isArg","isArguments","isBuff","isType","skipIndexes","iteratee","baseTimes","isIndex","assignMergeValue","eq","baseAssignValue","assignValue","objValue","assocIndexOf","array","has","pop","string","getMapData","pairs","baseFor","fromRight","keysFunc","iterable","createBaseFor","baseGetTag","isOwn","tag","unmasked","getRawTag","objectToString","baseIsArguments","isObjectLike","baseIsNative","isMasked","toSource","baseKeysIn","nativeKeysIn","isProto","isPrototype","baseMerge","srcIndex","customizer","stack","srcValue","mergeFunc","stacked","newValue","isCommon","isTyped","isArrayLike","isArrayLikeObject","buffer","isDeep","copy","cloneBuffer","typedArray","arrayBuffer","byteLength","cloneArrayBuffer","byteOffset","cloneTypedArray","copyArray","Ctor","isPlainObject","isNew","copyObject","keysIn","toPlainObject","initCloneObject","baseMergeDeep","baseRest","setToString","args","otherArgs","thisArg","apply","overRest","identity","isKeyable","getValue","count","lastCalled","stamp","remaining","shortOut","constant","other","isLength","baseUnary","merge","assigner","sources","guard","isIterateeCall","createAssigner","plugin","installed","finalOptions","GlobalVue","__webpack_exports__","t","l","m","c","d","o","__esModule","p","s","btoa","r","unescape","encodeURIComponent","JSON","stringify","sourceRoot","refs","parts","u","h","g","f","media","sourceMap","styleSheet","cssText","createTextNode","insertBefore","DEBUG","Error","head","getElementsByTagName","$vnode","ssrContext","__VUE_SSR_CONTEXT__","_registeredComponents","add","_ssrRegister","functional","beforeCreate","esModule","locals","STATE_CHANGER","INFINITE_EVENT","INFINITE_LOOP","remove","scrollHandler","isLoading","isComplete","isFirstLoad","inThrottle","throttleLimit","infiniteLoopChecked","infiniteLoopTimer","continuousCallTimes","Spinner","isNoResults","cache","$slots","elm","textContent","isNoMore","distance","onInfinite","spinner","direction","forceUseInfiniteWrapper","Event","attemptLoad","$on","$forceUpdate","stateChanger","loaded","complete","reset","$watch","deactivated","activated","getCurrentDistance","error","pageYOffset","tagName","hasAttribute","destroyed","BUBBLES","CIRCLES","DEFAULT","SPIRAL","WAVEDOTS","spinnerView","directives","rawName"],"mappings":"2EAAA,SAAAA,EAAAC,GACA,yBAAAA,EAAAC,QACAC,QAAAC,KAAA,2CAAAH,EAAAI,WAAA,uBACA,GA0BA,SAAAC,EAAAC,GACA,gBAAAA,EAAAC,mBAAAD,EAAAC,kBAAAC,UAGAC,EAAAC,SACAC,KAAA,SAAAC,EAAAZ,EAAAM,GAIA,SAAAO,EAAAC,GACA,GAAAR,EAAAS,QAAA,CAGA,IAAAC,EAAAF,EAAAG,MAAAH,EAAAI,cAAAJ,EAAAI,eACAF,KAAAG,OAAA,GAAAH,EAAAI,QAAAN,EAAAO,QAEAT,EAAAU,SAAAR,EAAAO,SApCA,SAAAE,EAAAP,GACA,IAAAO,IAAAP,EACA,SAEA,QAAAQ,EAAA,EAAAC,EAAAT,EAAAG,OAAwCK,EAAAC,EAASD,IACjD,IACA,GAAAD,EAAAD,SAAAN,EAAAQ,IACA,SAEA,GAAAR,EAAAQ,GAAAF,SAAAC,GACA,SAEK,MAAAT,GACL,SAIA,SAmBAY,CAAApB,EAAAS,QAAAQ,UAAAP,IAEAJ,EAAAe,oBAAAC,SAAAd,IAZAf,EAAAC,KAgBAY,EAAAe,qBACAd,UACAe,SAAA5B,EAAAC,QAEAI,EAAAC,IAAAuB,SAAAC,iBAAA,QAAAjB,KAGAkB,OAAA,SAAAnB,EAAAZ,GACAD,EAAAC,KAAAY,EAAAe,oBAAAC,SAAA5B,EAAAC,QAGA+B,OAAA,SAAApB,EAAAZ,EAAAM,IAEAD,EAAAC,IAAAuB,SAAAI,oBAAA,QAAArB,EAAAe,oBAAAd,gBACAD,EAAAe,yDCjEA,SAAAO,GA4BA;;;;;;;;;;;;;;;;;;;;;;;;;AAJA,IAAAC,EAAA,oBAAAC,QAAA,oBAAAP,SAEAQ,GAAA,4BACAC,EAAA,EACAd,EAAA,EAAeA,EAAAa,EAAAlB,OAAkCK,GAAA,EACjD,GAAAW,GAAAI,UAAAC,UAAAC,QAAAJ,EAAAb,KAAA,GACAc,EAAA,EACA,MA+BA,IAWAI,EAXAP,GAAAC,OAAAO,QA3BA,SAAAC,GACA,IAAAC,GAAA,EACA,kBACAA,IAGAA,GAAA,EACAT,OAAAO,QAAAG,UAAAC,KAAA,WACAF,GAAA,EACAD,SAKA,SAAAA,GACA,IAAAI,GAAA,EACA,kBACAA,IACAA,GAAA,EACAC,WAAA,WACAD,GAAA,EACAJ,KACON,MAyBP,SAAAY,EAAAC,GAEA,OAAAA,GAAA,yBAAAC,SAAAC,KAAAF,GAUA,SAAAG,EAAAC,EAAAC,GACA,OAAAD,EAAAE,SACA,SAGA,IAAAC,EAAAC,iBAAAJ,EAAA,MACA,OAAAC,EAAAE,EAAAF,GAAAE,EAUA,SAAAE,EAAAL,GACA,eAAAA,EAAAM,SACAN,EAEAA,EAAAO,YAAAP,EAAAQ,KAUA,SAAAC,EAAAT,GAEA,IAAAA,EACA,OAAA1B,SAAAoC,KAGA,OAAAV,EAAAM,UACA,WACA,WACA,OAAAN,EAAAW,cAAAD,KACA,gBACA,OAAAV,EAAAU,KAKA,IAAAE,EAAAb,EAAAC,GACAa,EAAAD,EAAAC,SACAC,EAAAF,EAAAE,UACAC,EAAAH,EAAAG,UAEA,8BAAAC,KAAAH,EAAAE,EAAAD,GACAd,EAGAS,EAAAJ,EAAAL,IAGA,IAAAiB,EAAArC,MAAAC,OAAAqC,uBAAA5C,SAAA6C,cACAC,EAAAxC,GAAA,UAAAoC,KAAAhC,UAAAC,WASA,SAAAoC,EAAAC,GACA,YAAAA,EACAL,EAEA,KAAAK,EACAF,EAEAH,GAAAG,EAUA,SAAAG,EAAAvB,GACA,IAAAA,EACA,OAAA1B,SAAAkD,gBAQA,IALA,IAAAC,EAAAJ,EAAA,IAAA/C,SAAAoC,KAAA,KAGAgB,EAAA1B,EAAA0B,aAEAA,IAAAD,GAAAzB,EAAA2B,oBACAD,GAAA1B,IAAA2B,oBAAAD,aAGA,IAAApB,EAAAoB,KAAApB,SAEA,OAAAA,GAAA,SAAAA,GAAA,SAAAA,GAMA,mBAAApB,QAAAwC,EAAApB,WAAA,WAAAP,EAAA2B,EAAA,YACAH,EAAAG,GAGAA,EATA1B,IAAAW,cAAAa,gBAAAlD,SAAAkD,gBA4BA,SAAAI,EAAAC,GACA,cAAAA,EAAAtB,WACAqB,EAAAC,EAAAtB,YAGAsB,EAWA,SAAAC,EAAAC,EAAAC,GAEA,KAAAD,KAAA7B,UAAA8B,KAAA9B,UACA,OAAA5B,SAAAkD,gBAIA,IAAAS,EAAAF,EAAAG,wBAAAF,GAAAG,KAAAC,4BACAC,EAAAJ,EAAAF,EAAAC,EACAM,EAAAL,EAAAD,EAAAD,EAGAQ,EAAAjE,SAAAkE,cACAD,EAAAE,SAAAJ,EAAA,GACAE,EAAAG,OAAAJ,EAAA,GACA,IAAAK,EAAAJ,EAAAI,wBAIA,GAAAZ,IAAAY,GAAAX,IAAAW,GAAAN,EAAAtE,SAAAuE,GACA,OApDA,SAAAtC,GACA,IAAAM,EAAAN,EAAAM,SAEA,eAAAA,IAGA,SAAAA,GAAAiB,EAAAvB,EAAA4C,qBAAA5C,GA8CA6C,CAAAF,GACAA,EAGApB,EAAAoB,GAIA,IAAAG,EAAAlB,EAAAG,GACA,OAAAe,EAAAtC,KACAsB,EAAAgB,EAAAtC,KAAAwB,GAEAF,EAAAC,EAAAH,EAAAI,GAAAxB,MAYA,SAAAuC,EAAA/C,GACA,IAEAgD,EAAA,SAFAC,UAAArF,OAAA,QAAAsF,IAAAD,UAAA,GAAAA,UAAA,UAEA,yBACA3C,EAAAN,EAAAM,SAEA,YAAAA,GAAA,SAAAA,EAAA,CACA,IAAA6C,EAAAnD,EAAAW,cAAAa,gBAEA,OADAxB,EAAAW,cAAAyC,kBAAAD,GACAH,GAGA,OAAAhD,EAAAgD,GAmCA,SAAAK,EAAAC,EAAAC,GACA,IAAAC,EAAA,MAAAD,EAAA,aACAE,EAAA,SAAAD,EAAA,iBAEA,OAAAE,WAAAJ,EAAA,SAAAE,EAAA,aAAAE,WAAAJ,EAAA,SAAAG,EAAA,aAGA,SAAAE,EAAAJ,EAAA7C,EAAAyC,EAAAS,GACA,OAAAC,KAAAC,IAAApD,EAAA,SAAA6C,GAAA7C,EAAA,SAAA6C,GAAAJ,EAAA,SAAAI,GAAAJ,EAAA,SAAAI,GAAAJ,EAAA,SAAAI,GAAAlC,EAAA,IAAA8B,EAAA,SAAAI,GAAAK,EAAA,qBAAAL,EAAA,eAAAK,EAAA,qBAAAL,EAAA,sBAGA,SAAAQ,IACA,IAAArD,EAAApC,SAAAoC,KACAyC,EAAA7E,SAAAkD,gBACAoC,EAAAvC,EAAA,KAAAjB,iBAAA+C,GAEA,OACAa,OAAAL,EAAA,SAAAjD,EAAAyC,EAAAS,GACAK,MAAAN,EAAA,QAAAjD,EAAAyC,EAAAS,IAIA,IAAAM,EAAA,SAAAC,EAAAC,GACA,KAAAD,aAAAC,GACA,UAAAC,UAAA,sCAIAC,EAAA,WACA,SAAAC,EAAAzG,EAAA0G,GACA,QAAAvG,EAAA,EAAmBA,EAAAuG,EAAA5G,OAAkBK,IAAA,CACrC,IAAAwG,EAAAD,EAAAvG,GACAwG,EAAAC,WAAAD,EAAAC,aAAA,EACAD,EAAAE,cAAA,EACA,UAAAF,MAAAG,UAAA,GACAC,OAAAC,eAAAhH,EAAA2G,EAAAM,IAAAN,IAIA,gBAAAL,EAAAY,EAAAC,GAGA,OAFAD,GAAAT,EAAAH,EAAAc,UAAAF,GACAC,GAAAV,EAAAH,EAAAa,GACAb,GAdA,GAsBAU,EAAA,SAAAK,EAAAJ,EAAArI,GAYA,OAXAqI,KAAAI,EACAN,OAAAC,eAAAK,EAAAJ,GACArI,QACAgI,YAAA,EACAC,cAAA,EACAC,UAAA,IAGAO,EAAAJ,GAAArI,EAGAyI,GAGAC,EAAAP,OAAAQ,QAAA,SAAAvH,GACA,QAAAG,EAAA,EAAiBA,EAAAgF,UAAArF,OAAsBK,IAAA,CACvC,IAAAqH,EAAArC,UAAAhF,GAEA,QAAA8G,KAAAO,EACAT,OAAAK,UAAAK,eAAAzF,KAAAwF,EAAAP,KACAjH,EAAAiH,GAAAO,EAAAP,IAKA,OAAAjH,GAUA,SAAA0H,EAAAC,GACA,OAAAL,KAAoBK,GACpBC,MAAAD,EAAAE,KAAAF,EAAAxB,MACA2B,OAAAH,EAAAI,IAAAJ,EAAAzB,SAWA,SAAA8B,EAAA9F,GACA,IAAA+F,KAKA,IACA,GAAA1E,EAAA,KACA0E,EAAA/F,EAAA8F,wBACA,IAAAE,EAAAjD,EAAA/C,EAAA,OACAiG,EAAAlD,EAAA/C,EAAA,QACA+F,EAAAF,KAAAG,EACAD,EAAAJ,MAAAM,EACAF,EAAAH,QAAAI,EACAD,EAAAL,OAAAO,OAEAF,EAAA/F,EAAA8F,wBAEG,MAAAvI,IAEH,IAAA2I,GACAP,KAAAI,EAAAJ,KACAE,IAAAE,EAAAF,IACA5B,MAAA8B,EAAAL,MAAAK,EAAAJ,KACA3B,OAAA+B,EAAAH,OAAAG,EAAAF,KAIAM,EAAA,SAAAnG,EAAAM,SAAAyD,OACAE,EAAAkC,EAAAlC,OAAAjE,EAAAoG,aAAAF,EAAAR,MAAAQ,EAAAP,KACA3B,EAAAmC,EAAAnC,QAAAhE,EAAAqG,cAAAH,EAAAN,OAAAM,EAAAL,IAEAS,EAAAtG,EAAAuG,YAAAtC,EACAuC,EAAAxG,EAAAyG,aAAAzC,EAIA,GAAAsC,GAAAE,EAAA,CACA,IAAAlD,EAAAvD,EAAAC,GACAsG,GAAAjD,EAAAC,EAAA,KACAkD,GAAAnD,EAAAC,EAAA,KAEA4C,EAAAjC,OAAAqC,EACAJ,EAAAlC,QAAAwC,EAGA,OAAAhB,EAAAU,GAGA,SAAAQ,EAAAC,EAAAC,GACA,IAAAC,EAAA5D,UAAArF,OAAA,QAAAsF,IAAAD,UAAA,IAAAA,UAAA,GAEA7B,EAAAC,EAAA,IACAyF,EAAA,SAAAF,EAAAtG,SACAyG,EAAAjB,EAAAa,GACAK,EAAAlB,EAAAc,GACAK,EAAAxG,EAAAkG,GAEArD,EAAAvD,EAAA6G,GACAM,EAAAxD,WAAAJ,EAAA4D,eAAA,IACAC,EAAAzD,WAAAJ,EAAA6D,gBAAA,IAGAN,GAAA,SAAAD,EAAAtG,WACA0G,EAAAnB,IAAAhC,KAAAC,IAAAkD,EAAAnB,IAAA,GACAmB,EAAArB,KAAA9B,KAAAC,IAAAkD,EAAArB,KAAA,IAEA,IAAAF,EAAAD,GACAK,IAAAkB,EAAAlB,IAAAmB,EAAAnB,IAAAqB,EACAvB,KAAAoB,EAAApB,KAAAqB,EAAArB,KAAAwB,EACAlD,MAAA8C,EAAA9C,MACAD,OAAA+C,EAAA/C,SASA,GAPAyB,EAAA2B,UAAA,EACA3B,EAAA4B,WAAA,GAMAjG,GAAA0F,EAAA,CACA,IAAAM,EAAA1D,WAAAJ,EAAA8D,UAAA,IACAC,EAAA3D,WAAAJ,EAAA+D,WAAA,IAEA5B,EAAAI,KAAAqB,EAAAE,EACA3B,EAAAG,QAAAsB,EAAAE,EACA3B,EAAAE,MAAAwB,EAAAE,EACA5B,EAAAC,OAAAyB,EAAAE,EAGA5B,EAAA2B,YACA3B,EAAA4B,aAOA,OAJAjG,IAAAyF,EAAAD,EAAA7I,SAAAkJ,GAAAL,IAAAK,GAAA,SAAAA,EAAA3G,YACAmF,EA1NA,SAAAM,EAAA/F,GACA,IAAAsH,EAAArE,UAAArF,OAAA,QAAAsF,IAAAD,UAAA,IAAAA,UAAA,GAEA+C,EAAAjD,EAAA/C,EAAA,OACAiG,EAAAlD,EAAA/C,EAAA,QACAuH,EAAAD,GAAA,IAKA,OAJAvB,EAAAF,KAAAG,EAAAuB,EACAxB,EAAAH,QAAAI,EAAAuB,EACAxB,EAAAJ,MAAAM,EAAAsB,EACAxB,EAAAL,OAAAO,EAAAsB,EACAxB,EAgNAyB,CAAA/B,EAAAmB,IAGAnB,EAmDA,SAAAgC,EAAAzH,GAEA,IAAAA,MAAA0H,eAAArG,IACA,OAAA/C,SAAAkD,gBAGA,IADA,IAAAnE,EAAA2C,EAAA0H,cACArK,GAAA,SAAA0C,EAAA1C,EAAA,cACAA,IAAAqK,cAEA,OAAArK,GAAAiB,SAAAkD,gBAcA,SAAAmG,EAAAC,EAAAC,EAAAC,EAAAC,GACA,IAAAlB,EAAA5D,UAAArF,OAAA,QAAAsF,IAAAD,UAAA,IAAAA,UAAA,GAIA+E,GAAoBnC,IAAA,EAAAF,KAAA,GACpBjE,EAAAmF,EAAAY,EAAAG,GAAA9F,EAAA8F,EAAAC,GAGA,gBAAAE,EACAC,EAjFA,SAAAhI,GACA,IAAAiI,EAAAhF,UAAArF,OAAA,QAAAsF,IAAAD,UAAA,IAAAA,UAAA,GAEAE,EAAAnD,EAAAW,cAAAa,gBACA0G,EAAAxB,EAAA1G,EAAAmD,GACAc,EAAAJ,KAAAC,IAAAX,EAAAiD,YAAAvH,OAAAsJ,YAAA,GACAnE,EAAAH,KAAAC,IAAAX,EAAAkD,aAAAxH,OAAAuJ,aAAA,GAEApC,EAAAiC,EAAA,EAAAlF,EAAAI,GACA8C,EAAAgC,EAAA,EAAAlF,EAAAI,EAAA,QASA,OAAAqC,GANAK,IAAAG,EAAAkC,EAAArC,IAAAqC,EAAAd,UACAzB,KAAAM,EAAAiC,EAAAvC,KAAAuC,EAAAb,WACApD,QACAD,WAkEAqE,CAAA3G,EAAAmF,OACG,CAEH,IAAAyB,OAAA,EACA,iBAAAP,EAEA,UADAO,EAAA7H,EAAAJ,EAAAwH,KACAvH,WACAgI,EAAAV,EAAAjH,cAAAa,iBAGA8G,EADK,WAAAP,EACLH,EAAAjH,cAAAa,gBAEAuG,EAGA,IAAAtC,EAAAiB,EAAA4B,EAAA5G,EAAAmF,GAGA,YAAAyB,EAAAhI,UAtEA,SAAAiI,EAAAvI,GACA,IAAAM,EAAAN,EAAAM,SACA,eAAAA,GAAA,SAAAA,IAGA,UAAAP,EAAAC,EAAA,aAGAuI,EAAAlI,EAAAL,KA8DAuI,CAAA7G,GAWAsG,EAAAvC,MAXA,CACA,IAAA+C,EAAAzE,IACAC,EAAAwE,EAAAxE,OACAC,EAAAuE,EAAAvE,MAEA+D,EAAAnC,KAAAJ,EAAAI,IAAAJ,EAAA2B,UACAY,EAAApC,OAAA5B,EAAAyB,EAAAI,IACAmC,EAAArC,MAAAF,EAAAE,KAAAF,EAAA4B,WACAW,EAAAtC,MAAAzB,EAAAwB,EAAAE,MAaA,OALAqC,EAAArC,MAAAmC,EACAE,EAAAnC,KAAAiC,EACAE,EAAAtC,OAAAoC,EACAE,EAAApC,QAAAkC,EAEAE,EAmBA,SAAAS,EAAAC,EAAAC,EAAAf,EAAAC,EAAAE,GACA,IAAAD,EAAA7E,UAAArF,OAAA,QAAAsF,IAAAD,UAAA,GAAAA,UAAA,KAEA,QAAAyF,EAAAxJ,QAAA,QACA,OAAAwJ,EAGA,IAAAV,EAAAL,EAAAC,EAAAC,EAAAC,EAAAC,GAEAa,GACA/C,KACA5B,MAAA+D,EAAA/D,MACAD,OAAA2E,EAAA9C,IAAAmC,EAAAnC,KAEAH,OACAzB,MAAA+D,EAAAtC,MAAAiD,EAAAjD,MACA1B,OAAAgE,EAAAhE,QAEA4B,QACA3B,MAAA+D,EAAA/D,MACAD,OAAAgE,EAAApC,OAAA+C,EAAA/C,QAEAD,MACA1B,MAAA0E,EAAAhD,KAAAqC,EAAArC,KACA3B,OAAAgE,EAAAhE,SAIA6E,EAAAhE,OAAAiE,KAAAF,GAAAG,IAAA,SAAAhE,GACA,OAAAK,GACAL,OACK6D,EAAA7D,IACLiE,KAhDA,SAAAC,GAIA,OAHAA,EAAAhF,MACAgF,EAAAjF,OA8CAkF,CAAAN,EAAA7D,QAEGoE,KAAA,SAAAC,EAAAC,GACH,OAAAA,EAAAL,KAAAI,EAAAJ,OAGAM,EAAAT,EAAAU,OAAA,SAAAC,GACA,IAAAvF,EAAAuF,EAAAvF,MACAD,EAAAwF,EAAAxF,OACA,OAAAC,GAAA2D,EAAAxB,aAAApC,GAAA4D,EAAAvB,eAGAoD,EAAAH,EAAA1L,OAAA,EAAA0L,EAAA,GAAAvE,IAAA8D,EAAA,GAAA9D,IAEA2E,EAAAhB,EAAAiB,MAAA,QAEA,OAAAF,GAAAC,EAAA,IAAAA,EAAA,IAaA,SAAAE,EAAAC,EAAAjC,EAAAC,GACA,IAAAhB,EAAA5D,UAAArF,OAAA,QAAAsF,IAAAD,UAAA,GAAAA,UAAA,QAGA,OAAAyD,EAAAmB,EADAhB,EAAAY,EAAAG,GAAA9F,EAAA8F,EAAAC,GACAhB,GAUA,SAAAiD,EAAA9J,GACA,IAAAsD,EAAAlD,iBAAAJ,GACA+J,EAAArG,WAAAJ,EAAA8D,WAAA1D,WAAAJ,EAAA0G,cACAC,EAAAvG,WAAAJ,EAAA+D,YAAA3D,WAAAJ,EAAA4G,aAKA,OAHAjG,MAAAjE,EAAAuG,YAAA0D,EACAjG,OAAAhE,EAAAyG,aAAAsD,GAYA,SAAAI,EAAAzB,GACA,IAAA0B,GAAczE,KAAA,QAAAD,MAAA,OAAAE,OAAA,MAAAC,IAAA,UACd,OAAA6C,EAAA2B,QAAA,kCAAAC,GACA,OAAAF,EAAAE,KAcA,SAAAC,EAAA3C,EAAA4C,EAAA9B,GACAA,IAAAiB,MAAA,QAGA,IAAAc,EAAAX,EAAAlC,GAGA8C,GACAzG,MAAAwG,EAAAxG,MACAD,OAAAyG,EAAAzG,QAIA2G,GAAA,qBAAAzL,QAAAwJ,GACAkC,EAAAD,EAAA,aACAE,EAAAF,EAAA,aACAG,EAAAH,EAAA,iBACAI,EAAAJ,EAAA,iBASA,OAPAD,EAAAE,GAAAJ,EAAAI,GAAAJ,EAAAM,GAAA,EAAAL,EAAAK,GAAA,EAEAJ,EAAAG,GADAnC,IAAAmC,EACAL,EAAAK,GAAAJ,EAAAM,GAEAP,EAAAL,EAAAU,IAGAH,EAYA,SAAAM,EAAAC,EAAAC,GAEA,OAAAC,MAAAjG,UAAA8F,KACAC,EAAAD,KAAAE,GAIAD,EAAA1B,OAAA2B,GAAA,GAqCA,SAAAE,EAAAC,EAAAC,EAAAC,GAoBA,YAnBArI,IAAAqI,EAAAF,IAAAG,MAAA,EA1BA,SAAAP,EAAAQ,EAAA/O,GAEA,GAAAyO,MAAAjG,UAAAwG,UACA,OAAAT,EAAAS,UAAA,SAAAC,GACA,OAAAA,EAAAF,KAAA/O,IAKA,IAAAkP,EAAAZ,EAAAC,EAAA,SAAA9F,GACA,OAAAA,EAAAsG,KAAA/O,IAEA,OAAAuO,EAAA/L,QAAA0M,GAcAF,CAAAL,EAAA,OAAAE,KAEAM,QAAA,SAAAtE,GACAA,EAAA,UAEA5K,QAAAC,KAAA,yDAEA,IAAAyC,EAAAkI,EAAA,UAAAA,EAAAlI,GACAkI,EAAAuE,SAAAnM,EAAAN,KAIAiM,EAAA7F,QAAAmC,OAAApC,EAAA8F,EAAA7F,QAAAmC,QACA0D,EAAA7F,QAAAoC,UAAArC,EAAA8F,EAAA7F,QAAAoC,WAEAyD,EAAAjM,EAAAiM,EAAA/D,MAIA+D,EA8DA,SAAAS,EAAAV,EAAAW,GACA,OAAAX,EAAAY,KAAA,SAAAhD,GACA,IAAAiD,EAAAjD,EAAAiD,KAEA,OADAjD,EAAA6C,SACAI,IAAAF,IAWA,SAAAG,EAAAlM,GAIA,IAHA,IAAAmM,IAAA,2BACAC,EAAApM,EAAAqM,OAAA,GAAAC,cAAAtM,EAAAuL,MAAA,GAEAvN,EAAA,EAAiBA,EAAAmO,EAAAxO,OAAqBK,IAAA,CACtC,IAAAuO,EAAAJ,EAAAnO,GACAwO,EAAAD,EAAA,GAAAA,EAAAH,EAAApM,EACA,YAAA3B,SAAAoC,KAAAgM,MAAAD,GACA,OAAAA,EAGA,YAsCA,SAAAE,EAAA3M,GACA,IAAAW,EAAAX,EAAAW,cACA,OAAAA,IAAAiM,YAAA/N,OAoBA,SAAAgO,EAAAhF,EAAAiF,EAAAjD,EAAAkD,GAEAlD,EAAAkD,cACAJ,EAAA9E,GAAAtJ,iBAAA,SAAAsL,EAAAkD,aAAsEC,SAAA,IAGtE,IAAAC,EAAAxM,EAAAoH,GAKA,OA5BA,SAAAqF,EAAAjG,EAAAkG,EAAA9O,EAAA+O,GACA,IAAAC,EAAA,SAAApG,EAAA3G,SACAxC,EAAAuP,EAAApG,EAAAtG,cAAAiM,YAAA3F,EACAnJ,EAAAS,iBAAA4O,EAAA9O,GAA4C2O,SAAA,IAE5CK,GACAH,EAAAzM,EAAA3C,EAAAyC,YAAA4M,EAAA9O,EAAA+O,GAEAA,EAAAE,KAAAxP,GAgBAoP,CAAAD,EAAA,SAAApD,EAAAkD,YAAAlD,EAAAuD,eACAvD,EAAAoD,gBACApD,EAAA0D,eAAA,EAEA1D,EA6CA,SAAA2D,IACAC,KAAA5D,MAAA0D,gBACAG,qBAAAD,KAAAE,gBACAF,KAAA5D,MA3BA,SAAAhC,EAAAgC,GAcA,OAZA8C,EAAA9E,GAAAnJ,oBAAA,SAAAmL,EAAAkD,aAGAlD,EAAAuD,cAAAvB,QAAA,SAAA/N,GACAA,EAAAY,oBAAA,SAAAmL,EAAAkD,eAIAlD,EAAAkD,YAAA,KACAlD,EAAAuD,iBACAvD,EAAAoD,cAAA,KACApD,EAAA0D,eAAA,EACA1D,EAaA+D,CAAAH,KAAA5F,UAAA4F,KAAA5D,QAWA,SAAAgE,EAAAC,GACA,WAAAA,IAAAC,MAAArK,WAAAoK,KAAAE,SAAAF,GAWA,SAAAG,EAAAjO,EAAAsD,GACAuB,OAAAiE,KAAAxF,GAAAuI,QAAA,SAAAJ,GACA,IAAAyC,EAAA,IAEA,qDAAAhP,QAAAuM,IAAAoC,EAAAvK,EAAAmI,MACAyC,EAAA,MAEAlO,EAAA0M,MAAAjB,GAAAnI,EAAAmI,GAAAyC,IAyLA,SAAAC,EAAA9C,EAAA+C,EAAAC,GACA,IAAAC,EAAAtD,EAAAK,EAAA,SAAApC,GAEA,OADAA,EAAAiD,OACAkC,IAGAG,IAAAD,GAAAjD,EAAAY,KAAA,SAAA1E,GACA,OAAAA,EAAA2E,OAAAmC,GAAA9G,EAAAuE,SAAAvE,EAAAtF,MAAAqM,EAAArM,QAGA,IAAAsM,EAAA,CACA,IAAAC,EAAA,IAAAJ,EAAA,IACAK,EAAA,IAAAJ,EAAA,IACA1R,QAAAC,KAAA6R,EAAA,4BAAAD,EAAA,4DAAAA,EAAA,KAEA,OAAAD,EAoIA,IAAAG,GAAA,kKAGAC,EAAAD,EAAAlD,MAAA,GAYA,SAAAoD,EAAAlG,GACA,IAAAmG,EAAA5L,UAAArF,OAAA,QAAAsF,IAAAD,UAAA,IAAAA,UAAA,GAEA6L,EAAAH,EAAAzP,QAAAwJ,GACAuC,EAAA0D,EAAAnD,MAAAsD,EAAA,GAAAC,OAAAJ,EAAAnD,MAAA,EAAAsD,IACA,OAAAD,EAAA5D,EAAA+D,UAAA/D,EAGA,IAAAgE,GACAC,KAAA,OACAC,UAAA,YACAC,iBAAA,oBA0LA,SAAAC,EAAAC,EAAA5E,EAAAF,EAAA+E,GACA,IAAA9J,GAAA,KAKA+J,GAAA,qBAAAtQ,QAAAqQ,GAIAE,EAAAH,EAAA3F,MAAA,WAAAZ,IAAA,SAAA2G,GACA,OAAAA,EAAAC,SAKAC,EAAAH,EAAAvQ,QAAA8L,EAAAyE,EAAA,SAAAC,GACA,WAAAA,EAAAG,OAAA,WAGAJ,EAAAG,KAAA,IAAAH,EAAAG,GAAA1Q,QAAA,MACAvC,QAAAC,KAAA,gFAKA,IAAAkT,EAAA,cACAC,GAAA,IAAAH,GAAAH,EAAAjE,MAAA,EAAAoE,GAAAb,QAAAU,EAAAG,GAAAjG,MAAAmG,GAAA,MAAAL,EAAAG,GAAAjG,MAAAmG,GAAA,IAAAf,OAAAU,EAAAjE,MAAAoE,EAAA,MAAAH,GAqCA,OAlCAM,IAAAhH,IAAA,SAAAiH,EAAAlB,GAEA,IAAAhE,GAAA,IAAAgE,GAAAU,KAAA,iBACAS,GAAA,EACA,OAAAD,EAGAE,OAAA,SAAA9G,EAAAC,GACA,WAAAD,IAAAxL,OAAA,mBAAAsB,QAAAmK,IACAD,IAAAxL,OAAA,GAAAyL,EACA4G,GAAA,EACA7G,GACO6G,GACP7G,IAAAxL,OAAA,IAAAyL,EACA4G,GAAA,EACA7G,GAEAA,EAAA2F,OAAA1F,QAIAN,IAAA,SAAAoH,GACA,OAxGA,SAAAA,EAAArF,EAAAJ,EAAAF,GAEA,IAAAb,EAAAwG,EAAAvE,MAAA,6BACAlP,GAAAiN,EAAA,GACAuE,EAAAvE,EAAA,GAGA,IAAAjN,EACA,OAAAyT,EAGA,OAAAjC,EAAAhP,QAAA,MACA,IAAAc,OAAA,EACA,OAAAkO,GACA,SACAlO,EAAA0K,EACA,MACA,QACA,SACA,QACA1K,EAAAwK,EAIA,OADAhF,EAAAxF,GACA8K,GAAA,IAAApO,EACG,UAAAwR,GAAA,OAAAA,EAQH,OALA,OAAAA,EACArK,KAAAC,IAAAxF,SAAAkD,gBAAA6E,aAAAxH,OAAAuJ,aAAA,GAEAvE,KAAAC,IAAAxF,SAAAkD,gBAAA4E,YAAAvH,OAAAsJ,YAAA,IAEA,IAAAzL,EAIA,OAAAA,EAmEA0T,CAAAD,EAAArF,EAAAJ,EAAAF,QAKAqB,QAAA,SAAAmE,EAAAlB,GACAkB,EAAAnE,QAAA,SAAA6D,EAAAW,GACAxC,EAAA6B,KACAjK,EAAAqJ,IAAAY,GAAA,MAAAM,EAAAK,EAAA,cAIA5K,EA2OA,IAkVA6K,GAKA5H,UAAA,SAMA6H,eAAA,EAMAhD,eAAA,EAOAiD,iBAAA,EAQAC,SAAA,aAUAC,SAAA,aAOArF,WA1XAsF,OAEA1O,MAAA,IAEA6J,SAAA,EAEAzM,GA9HA,SAAAiM,GACA,IAAA5C,EAAA4C,EAAA5C,UACA6G,EAAA7G,EAAAiB,MAAA,QACAiH,EAAAlI,EAAAiB,MAAA,QAGA,GAAAiH,EAAA,CACA,IAAAC,EAAAvF,EAAA7F,QACAoC,EAAAgJ,EAAAhJ,UACAD,EAAAiJ,EAAAjJ,OAEAkJ,GAAA,qBAAA5R,QAAAqQ,GACAwB,EAAAD,EAAA,aACAhG,EAAAgG,EAAA,iBAEAE,GACA3O,MAAAyC,KAA8BiM,EAAAlJ,EAAAkJ,IAC9BzO,IAAAwC,KAA4BiM,EAAAlJ,EAAAkJ,GAAAlJ,EAAAiD,GAAAlD,EAAAkD,KAG5BQ,EAAA7F,QAAAmC,OAAAxC,KAAqCwC,EAAAoJ,EAAAJ,IAGrC,OAAAtF,IAgJAgE,QAEArN,MAAA,IAEA6J,SAAA,EAEAzM,GA7RA,SAAAiM,EAAArC,GACA,IAAAqG,EAAArG,EAAAqG,OACA5G,EAAA4C,EAAA5C,UACAmI,EAAAvF,EAAA7F,QACAmC,EAAAiJ,EAAAjJ,OACAC,EAAAgJ,EAAAhJ,UAEA0H,EAAA7G,EAAAiB,MAAA,QAEAlE,OAAA,EAsBA,OApBAA,EADAoI,GAAAyB,KACAA,EAAA,GAEAD,EAAAC,EAAA1H,EAAAC,EAAA0H,GAGA,SAAAA,GACA3H,EAAA/B,KAAAJ,EAAA,GACAmC,EAAAjC,MAAAF,EAAA,IACG,UAAA8J,GACH3H,EAAA/B,KAAAJ,EAAA,GACAmC,EAAAjC,MAAAF,EAAA,IACG,QAAA8J,GACH3H,EAAAjC,MAAAF,EAAA,GACAmC,EAAA/B,KAAAJ,EAAA,IACG,WAAA8J,IACH3H,EAAAjC,MAAAF,EAAA,GACAmC,EAAA/B,KAAAJ,EAAA,IAGA6F,EAAA1D,SACA0D,GAkQAgE,OAAA,GAoBA2B,iBAEAhP,MAAA,IAEA6J,SAAA,EAEAzM,GAlRA,SAAAiM,EAAAwB,GACA,IAAA/E,EAAA+E,EAAA/E,mBAAAxG,EAAA+J,EAAAnH,SAAAyD,QAKA0D,EAAAnH,SAAA0D,YAAAE,IACAA,EAAAxG,EAAAwG,IAMA,IAAAmJ,EAAA/E,EAAA,aACAgF,EAAA7F,EAAAnH,SAAAyD,OAAA8E,MACA7G,EAAAsL,EAAAtL,IACAF,EAAAwL,EAAAxL,KACAyL,EAAAD,EAAAD,GAEAC,EAAAtL,IAAA,GACAsL,EAAAxL,KAAA,GACAwL,EAAAD,GAAA,GAEA,IAAAlJ,EAAAL,EAAA2D,EAAAnH,SAAAyD,OAAA0D,EAAAnH,SAAA0D,UAAAiF,EAAAhF,QAAAC,EAAAuD,EAAAiF,eAIAY,EAAAtL,MACAsL,EAAAxL,OACAwL,EAAAD,GAAAE,EAEAtE,EAAA9E,aAEA,IAAA/F,EAAA6K,EAAAuE,SACAzJ,EAAA0D,EAAA7F,QAAAmC,OAEAsD,GACAoG,QAAA,SAAA5I,GACA,IAAAhM,EAAAkL,EAAAc,GAIA,OAHAd,EAAAc,GAAAV,EAAAU,KAAAoE,EAAAyE,sBACA7U,EAAAmH,KAAAC,IAAA8D,EAAAc,GAAAV,EAAAU,KAEA5D,KAA8B4D,EAAAhM,IAE9B8U,UAAA,SAAA9I,GACA,IAAAkC,EAAA,UAAAlC,EAAA,aACAhM,EAAAkL,EAAAgD,GAIA,OAHAhD,EAAAc,GAAAV,EAAAU,KAAAoE,EAAAyE,sBACA7U,EAAAmH,KAAA4N,IAAA7J,EAAAgD,GAAA5C,EAAAU,IAAA,UAAAA,EAAAd,EAAA3D,MAAA2D,EAAA5D,UAEAc,KAA8B8F,EAAAlO,KAW9B,OAPAuF,EAAA4J,QAAA,SAAAnD,GACA,IAAAqI,GAAA,mBAAA7R,QAAAwJ,GAAA,sBACAd,EAAAxC,KAAwBwC,EAAAsD,EAAA6F,GAAArI,MAGxB4C,EAAA7F,QAAAmC,SAEA0D,GA2NA+F,UAAA,+BAOAvJ,QAAA,EAMAC,kBAAA,gBAYA2J,cAEAzP,MAAA,IAEA6J,SAAA,EAEAzM,GAlgBA,SAAAiM,GACA,IAAAuF,EAAAvF,EAAA7F,QACAmC,EAAAiJ,EAAAjJ,OACAC,EAAAgJ,EAAAhJ,UAEAa,EAAA4C,EAAA5C,UAAAiB,MAAA,QACAgI,EAAA9N,KAAA8N,MACAb,GAAA,qBAAA5R,QAAAwJ,GACAqI,EAAAD,EAAA,iBACAc,EAAAd,EAAA,aACAhG,EAAAgG,EAAA,iBASA,OAPAlJ,EAAAmJ,GAAAY,EAAA9J,EAAA+J,MACAtG,EAAA7F,QAAAmC,OAAAgK,GAAAD,EAAA9J,EAAA+J,IAAAhK,EAAAkD,IAEAlD,EAAAgK,GAAAD,EAAA9J,EAAAkJ,MACAzF,EAAA7F,QAAAmC,OAAAgK,GAAAD,EAAA9J,EAAAkJ,KAGAzF,IA4fAuG,OAEA5P,MAAA,IAEA6J,SAAA,EAEAzM,GA7wBA,SAAAiM,EAAAwB,GACA,IAAAgF,EAGA,IAAA3D,EAAA7C,EAAAnH,SAAAkH,UAAA,wBACA,OAAAC,EAGA,IAAAyG,EAAAjF,EAAA9M,QAGA,oBAAA+R,GAIA,KAHAA,EAAAzG,EAAAnH,SAAAyD,OAAAoK,cAAAD,IAIA,OAAAzG,OAKA,IAAAA,EAAAnH,SAAAyD,OAAA7J,SAAAgU,GAEA,OADApV,QAAAC,KAAA,iEACA0O,EAIA,IAAA5C,EAAA4C,EAAA5C,UAAAiB,MAAA,QACAkH,EAAAvF,EAAA7F,QACAmC,EAAAiJ,EAAAjJ,OACAC,EAAAgJ,EAAAhJ,UAEAiJ,GAAA,qBAAA5R,QAAAwJ,GAEAxK,EAAA4S,EAAA,iBACAmB,EAAAnB,EAAA,aACAC,EAAAkB,EAAAC,cACAC,EAAArB,EAAA,aACAc,EAAAd,EAAA,iBACAsB,EAAAtI,EAAAiI,GAAA7T,GAQA2J,EAAA+J,GAAAQ,EAAAxK,EAAAmJ,KACAzF,EAAA7F,QAAAmC,OAAAmJ,IAAAnJ,EAAAmJ,IAAAlJ,EAAA+J,GAAAQ,IAGAvK,EAAAkJ,GAAAqB,EAAAxK,EAAAgK,KACAtG,EAAA7F,QAAAmC,OAAAmJ,IAAAlJ,EAAAkJ,GAAAqB,EAAAxK,EAAAgK,IAEAtG,EAAA7F,QAAAmC,OAAApC,EAAA8F,EAAA7F,QAAAmC,QAGA,IAAAyK,EAAAxK,EAAAkJ,GAAAlJ,EAAA3J,GAAA,EAAAkU,EAAA,EAIAjS,EAAAJ,EAAAuL,EAAAnH,SAAAyD,QACA0K,EAAA5O,WAAAvD,EAAA,SAAA8R,GAAA,IACAM,EAAA7O,WAAAvD,EAAA,SAAA8R,EAAA,aACAO,EAAAH,EAAA/G,EAAA7F,QAAAmC,OAAAmJ,GAAAuB,EAAAC,EAQA,OALAC,EAAA3O,KAAAC,IAAAD,KAAA4N,IAAA7J,EAAA1J,GAAAkU,EAAAI,GAAA,GAEAlH,EAAAyG,eACAzG,EAAA7F,QAAAoM,OAAgD/M,EAAhDgN,KAAgDf,EAAAlN,KAAA4O,MAAAD,IAAA1N,EAAAgN,EAAAK,EAAA,IAAAL,GAEhDxG,GAusBAtL,QAAA,aAcA0S,MAEAzQ,MAAA,IAEA6J,SAAA,EAEAzM,GAroBA,SAAAiM,EAAAwB,GAEA,GAAAf,EAAAT,EAAAnH,SAAAkH,UAAA,SACA,OAAAC,EAGA,GAAAA,EAAAqH,SAAArH,EAAA5C,YAAA4C,EAAAsH,kBAEA,OAAAtH,EAGA,IAAAtD,EAAAL,EAAA2D,EAAAnH,SAAAyD,OAAA0D,EAAAnH,SAAA0D,UAAAiF,EAAAhF,QAAAgF,EAAA/E,kBAAAuD,EAAAiF,eAEA7H,EAAA4C,EAAA5C,UAAAiB,MAAA,QACAkJ,EAAA1I,EAAAzB,GACAgB,EAAA4B,EAAA5C,UAAAiB,MAAA,YAEAmJ,KAEA,OAAAhG,EAAAiG,UACA,KAAA9D,EAAAC,KACA4D,GAAApK,EAAAmK,GACA,MACA,KAAA5D,EAAAE,UACA2D,EAAAlE,EAAAlG,GACA,MACA,KAAAuG,EAAAG,iBACA0D,EAAAlE,EAAAlG,GAAA,GACA,MACA,QACAoK,EAAAhG,EAAAiG,SAkDA,OA/CAD,EAAAjH,QAAA,SAAAmH,EAAAlE,GACA,GAAApG,IAAAsK,GAAAF,EAAAlV,SAAAkR,EAAA,EACA,OAAAxD,EAGA5C,EAAA4C,EAAA5C,UAAAiB,MAAA,QACAkJ,EAAA1I,EAAAzB,GAEA,IAAAgC,EAAAY,EAAA7F,QAAAmC,OACAqL,EAAA3H,EAAA7F,QAAAoC,UAGA8J,EAAA9N,KAAA8N,MACAuB,EAAA,SAAAxK,GAAAiJ,EAAAjH,EAAAhF,OAAAiM,EAAAsB,EAAAtN,OAAA,UAAA+C,GAAAiJ,EAAAjH,EAAA/E,MAAAgM,EAAAsB,EAAAvN,QAAA,QAAAgD,GAAAiJ,EAAAjH,EAAA9E,QAAA+L,EAAAsB,EAAApN,MAAA,WAAA6C,GAAAiJ,EAAAjH,EAAA7E,KAAA8L,EAAAsB,EAAArN,QAEAuN,EAAAxB,EAAAjH,EAAA/E,MAAAgM,EAAA3J,EAAArC,MACAyN,EAAAzB,EAAAjH,EAAAhF,OAAAiM,EAAA3J,EAAAtC,OACA2N,EAAA1B,EAAAjH,EAAA7E,KAAA8L,EAAA3J,EAAAnC,KACAyN,EAAA3B,EAAAjH,EAAA9E,QAAA+L,EAAA3J,EAAApC,QAEA2N,EAAA,SAAA7K,GAAAyK,GAAA,UAAAzK,GAAA0K,GAAA,QAAA1K,GAAA2K,GAAA,WAAA3K,GAAA4K,EAGAxC,GAAA,qBAAA5R,QAAAwJ,GACA8K,IAAA1G,EAAA2G,iBAAA3C,GAAA,UAAApH,GAAAyJ,GAAArC,GAAA,QAAApH,GAAA0J,IAAAtC,GAAA,UAAApH,GAAA2J,IAAAvC,GAAA,QAAApH,GAAA4J,IAEAJ,GAAAK,GAAAC,KAEAlI,EAAAqH,SAAA,GAEAO,GAAAK,KACA7K,EAAAoK,EAAAhE,EAAA,IAGA0E,IACA9J,EAhJA,SAAAA,GACA,cAAAA,EACA,QACG,UAAAA,EACH,MAEAA,EA0IAgK,CAAAhK,IAGA4B,EAAA5C,aAAAgB,EAAA,IAAAA,EAAA,IAIA4B,EAAA7F,QAAAmC,OAAAxC,KAAuCkG,EAAA7F,QAAAmC,OAAA2C,EAAAe,EAAAnH,SAAAyD,OAAA0D,EAAA7F,QAAAoC,UAAAyD,EAAA5C,YAEvC4C,EAAAF,EAAAE,EAAAnH,SAAAkH,UAAAC,EAAA,WAGAA,GA4jBAyH,SAAA,OAKAjL,QAAA,EAOAC,kBAAA,YAUA4L,OAEA1R,MAAA,IAEA6J,SAAA,EAEAzM,GArPA,SAAAiM,GACA,IAAA5C,EAAA4C,EAAA5C,UACA6G,EAAA7G,EAAAiB,MAAA,QACAkH,EAAAvF,EAAA7F,QACAmC,EAAAiJ,EAAAjJ,OACAC,EAAAgJ,EAAAhJ,UAEA8C,GAAA,qBAAAzL,QAAAqQ,GAEAqE,GAAA,mBAAA1U,QAAAqQ,GAOA,OALA3H,EAAA+C,EAAA,cAAA9C,EAAA0H,IAAAqE,EAAAhM,EAAA+C,EAAA,qBAEAW,EAAA5C,UAAAyB,EAAAzB,GACA4C,EAAA7F,QAAAmC,OAAApC,EAAAoC,GAEA0D,IAkPAuI,MAEA5R,MAAA,IAEA6J,SAAA,EAEAzM,GA9SA,SAAAiM,GACA,IAAA6C,EAAA7C,EAAAnH,SAAAkH,UAAA,0BACA,OAAAC,EAGA,IAAA3C,EAAA2C,EAAA7F,QAAAoC,UACAiM,EAAA9I,EAAAM,EAAAnH,SAAAkH,UAAA,SAAA9D,GACA,0BAAAA,EAAA2E,OACGlE,WAEH,GAAAW,EAAA/C,OAAAkO,EAAAjO,KAAA8C,EAAAhD,KAAAmO,EAAApO,OAAAiD,EAAA9C,IAAAiO,EAAAlO,QAAA+C,EAAAjD,MAAAoO,EAAAnO,KAAA,CAEA,QAAA2F,EAAAuI,KACA,OAAAvI,EAGAA,EAAAuI,MAAA,EACAvI,EAAAyI,WAAA,8BACG,CAEH,QAAAzI,EAAAuI,KACA,OAAAvI,EAGAA,EAAAuI,MAAA,EACAvI,EAAAyI,WAAA,0BAGA,OAAAzI,IAoSA0I,cAEA/R,MAAA,IAEA6J,SAAA,EAEAzM,GA7+BA,SAAAiM,EAAAwB,GACA,IAAA/C,EAAA+C,EAAA/C,EACAE,EAAA6C,EAAA7C,EACArC,EAAA0D,EAAA7F,QAAAmC,OAIAqM,EAAAjJ,EAAAM,EAAAnH,SAAAkH,UAAA,SAAA9D,GACA,qBAAAA,EAAA2E,OACGgI,qBACHhR,IAAA+Q,GACAtX,QAAAC,KAAA,iIAEA,IAAAsX,OAAAhR,IAAA+Q,IAAAnH,EAAAoH,gBAGAC,EAAArO,EADAvE,EAAA+J,EAAAnH,SAAAyD,SAIAtE,GACA8Q,SAAAxM,EAAAwM,UAMA3O,GACAE,KAAA9B,KAAA8N,MAAA/J,EAAAjC,MACAE,IAAAhC,KAAA4O,MAAA7K,EAAA/B,KACAD,OAAA/B,KAAA4O,MAAA7K,EAAAhC,QACAF,MAAA7B,KAAA8N,MAAA/J,EAAAlC,QAGAlC,EAAA,WAAAuG,EAAA,eACAtG,EAAA,UAAAwG,EAAA,eAKAoK,EAAAlI,EAAA,aAWAxG,OAAA,EACAE,OAAA,EAWA,GATAA,EADA,WAAArC,GACA2Q,EAAAnQ,OAAAyB,EAAAG,OAEAH,EAAAI,IAGAF,EADA,UAAAlC,GACA0Q,EAAAlQ,MAAAwB,EAAAC,MAEAD,EAAAE,KAEAuO,GAAAG,EACA/Q,EAAA+Q,GAAA,eAAA1O,EAAA,OAAAE,EAAA,SACAvC,EAAAE,GAAA,EACAF,EAAAG,GAAA,EACAH,EAAAgR,WAAA,gBACG,CAEH,IAAAC,EAAA,WAAA/Q,GAAA,IACAgR,EAAA,UAAA/Q,GAAA,IACAH,EAAAE,GAAAqC,EAAA0O,EACAjR,EAAAG,GAAAkC,EAAA6O,EACAlR,EAAAgR,WAAA9Q,EAAA,KAAAC,EAIA,IAAAsQ,GACAU,cAAAnJ,EAAA5C,WAQA,OAJA4C,EAAAyI,WAAA3O,KAA+B2O,EAAAzI,EAAAyI,YAC/BzI,EAAAhI,OAAA8B,KAA2B9B,EAAAgI,EAAAhI,QAC3BgI,EAAAoJ,YAAAtP,KAAgCkG,EAAA7F,QAAAoM,MAAAvG,EAAAoJ,aAEhCpJ,GA65BA4I,iBAAA,EAMAnK,EAAA,SAMAE,EAAA,SAkBA0K,YAEA1S,MAAA,IAEA6J,SAAA,EAEAzM,GA7kCA,SAAAiM,GAgBA,OAXA2C,EAAA3C,EAAAnH,SAAAyD,OAAA0D,EAAAhI,QAzBA,SAAAtD,EAAA+T,GACAlP,OAAAiE,KAAAiL,GAAAlI,QAAA,SAAAJ,IAEA,IADAsI,EAAAtI,GAEAzL,EAAA4U,aAAAnJ,EAAAsI,EAAAtI,IAEAzL,EAAA6U,gBAAApJ,KAuBAqJ,CAAAxJ,EAAAnH,SAAAyD,OAAA0D,EAAAyI,YAGAzI,EAAAyG,cAAAlN,OAAAiE,KAAAwC,EAAAoJ,aAAA9W,QACAqQ,EAAA3C,EAAAyG,aAAAzG,EAAAoJ,aAGApJ,GA+jCAyJ,OAljCA,SAAAlN,EAAAD,EAAAkF,EAAAkI,EAAAnL,GAEA,IAAAW,EAAAZ,EAAAC,EAAAjC,EAAAC,EAAAiF,EAAAyD,eAKA7H,EAAAD,EAAAqE,EAAApE,UAAA8B,EAAA5C,EAAAC,EAAAiF,EAAAzB,UAAAqH,KAAA3K,kBAAA+E,EAAAzB,UAAAqH,KAAA5K,SAQA,OANAF,EAAAgN,aAAA,cAAAlM,GAIAuF,EAAArG,GAAqBwM,SAAAtH,EAAAyD,cAAA,qBAErBzD,GA0iCAoH,qBAAAhR,KAuGA+R,EAAA,WASA,SAAAA,EAAApN,EAAAD,GACA,IAAAsN,EAAAzH,KAEAX,EAAA7J,UAAArF,OAAA,QAAAsF,IAAAD,UAAA,GAAAA,UAAA,MACAiB,EAAAuJ,KAAAwH,GAEAxH,KAAAE,eAAA,WACA,OAAAwH,sBAAAD,EAAA1W,SAIAiP,KAAAjP,OAAAW,EAAAsO,KAAAjP,OAAApB,KAAAqQ,OAGAA,KAAAX,QAAA1H,KAA8B6P,EAAA3E,SAAAxD,GAG9BW,KAAA5D,OACAuL,aAAA,EACAC,WAAA,EACAjI,kBAIAK,KAAA5F,eAAAyN,OAAAzN,EAAA,GAAAA,EACA4F,KAAA7F,YAAA0N,OAAA1N,EAAA,GAAAA,EAGA6F,KAAAX,QAAAzB,aACAxG,OAAAiE,KAAA1D,KAA2B6P,EAAA3E,SAAAjF,UAAAyB,EAAAzB,YAAAQ,QAAA,SAAAK,GAC3BgJ,EAAApI,QAAAzB,UAAAa,GAAA9G,KAAiD6P,EAAA3E,SAAAjF,UAAAa,OAAuCY,EAAAzB,UAAAyB,EAAAzB,UAAAa,SAIxFuB,KAAApC,UAAAxG,OAAAiE,KAAA2E,KAAAX,QAAAzB,WAAAtC,IAAA,SAAAmD,GACA,OAAA9G,GACA8G,QACOgJ,EAAApI,QAAAzB,UAAAa,MAGP/C,KAAA,SAAAC,EAAAC,GACA,OAAAD,EAAAnH,MAAAoH,EAAApH,QAOAwL,KAAApC,UAAAQ,QAAA,SAAAmJ,GACAA,EAAAlJ,SAAAnM,EAAAqV,EAAAD,SACAC,EAAAD,OAAAG,EAAArN,UAAAqN,EAAAtN,OAAAsN,EAAApI,QAAAkI,EAAAE,EAAArL,SAKA4D,KAAAjP,SAEA,IAAA+O,EAAAE,KAAAX,QAAAS,cACAA,GAEAE,KAAA8H,uBAGA9H,KAAA5D,MAAA0D,gBAqDA,OA9CAjJ,EAAA2Q,IACAlQ,IAAA,SACArI,MAAA,WACA,OAlhDA,WAEA,IAAA+Q,KAAA5D,MAAAuL,YAAA,CAIA,IAAA9J,GACAnH,SAAAsJ,KACAnK,UACAoR,eACAX,cACApB,SAAA,EACAlN,YAIA6F,EAAA7F,QAAAoC,UAAA+B,EAAA6D,KAAA5D,MAAA4D,KAAA7F,OAAA6F,KAAA5F,UAAA4F,KAAAX,QAAAyD,eAKAjF,EAAA5C,UAAAD,EAAAgF,KAAAX,QAAApE,UAAA4C,EAAA7F,QAAAoC,UAAA4F,KAAA7F,OAAA6F,KAAA5F,UAAA4F,KAAAX,QAAAzB,UAAAqH,KAAA3K,kBAAA0F,KAAAX,QAAAzB,UAAAqH,KAAA5K,SAGAwD,EAAAsH,kBAAAtH,EAAA5C,UAEA4C,EAAAiF,cAAA9C,KAAAX,QAAAyD,cAGAjF,EAAA7F,QAAAmC,OAAA2C,EAAAkD,KAAA7F,OAAA0D,EAAA7F,QAAAoC,UAAAyD,EAAA5C,WAEA4C,EAAA7F,QAAAmC,OAAAwM,SAAA3G,KAAAX,QAAAyD,cAAA,mBAGAjF,EAAAF,EAAAqC,KAAApC,UAAAC,GAIAmC,KAAA5D,MAAAwL,UAIA5H,KAAAX,QAAA4D,SAAApF,IAHAmC,KAAA5D,MAAAwL,WAAA,EACA5H,KAAAX,QAAA2D,SAAAnF,MA0+CAxL,KAAA2N,SAGA1I,IAAA,UACArI,MAAA,WACA,OAj8CA,WAsBA,OArBA+Q,KAAA5D,MAAAuL,aAAA,EAGArJ,EAAA0B,KAAApC,UAAA,gBACAoC,KAAA7F,OAAAiN,gBAAA,eACApH,KAAA7F,OAAA8E,MAAA0H,SAAA,GACA3G,KAAA7F,OAAA8E,MAAA7G,IAAA,GACA4H,KAAA7F,OAAA8E,MAAA/G,KAAA,GACA8H,KAAA7F,OAAA8E,MAAAhH,MAAA,GACA+H,KAAA7F,OAAA8E,MAAA9G,OAAA,GACA6H,KAAA7F,OAAA8E,MAAA4H,WAAA,GACA7G,KAAA7F,OAAA8E,MAAAP,EAAA,kBAGAsB,KAAAD,wBAIAC,KAAAX,QAAA0D,iBACA/C,KAAA7F,OAAArH,WAAAiV,YAAA/H,KAAA7F,QAEA6F,MA26CA3N,KAAA2N,SAGA1I,IAAA,uBACArI,MAAA,WACA,OA93CA,WACA+Q,KAAA5D,MAAA0D,gBACAE,KAAA5D,MAAAgD,EAAAY,KAAA5F,UAAA4F,KAAAX,QAAAW,KAAA5D,MAAA4D,KAAAE,kBA43CA7N,KAAA2N,SAGA1I,IAAA,wBACArI,MAAA,WACA,OAAA8Q,EAAA1N,KAAA2N,UA4BAwH,EA7HA,GAqJAA,EAAAQ,OAAA,oBAAA5W,cAAAF,GAAA+W,YACAT,EAAAvG,aACAuG,EAAA3E,WAEA,IAAAqF,EAAA,aAKA,SAAAC,EAAAlZ,GAIA,MAHA,iBAAAA,IACAA,IAAAiN,MAAA,MAEAjN,EAUA,SAAAmZ,GAAAxY,EAAAyY,GACA,IAAAC,EAAAH,EAAAE,GACAE,OAAA,EAEAA,EADA3Y,EAAA4Y,qBAAAN,EACAC,EAAAvY,EAAA4Y,UAAAC,SAEAN,EAAAvY,EAAA4Y,WAEAF,EAAAlK,QAAA,SAAAsK,IACA,IAAAH,EAAA9W,QAAAiX,IACAH,EAAA1I,KAAA6I,KAGA9Y,aAAA+Y,WACA/Y,EAAAuX,aAAA,QAAAoB,EAAAK,KAAA,MAEAhZ,EAAA4Y,UAAAD,EAAAK,KAAA,KAWA,SAAAC,GAAAjZ,EAAAyY,GACA,IAAAC,EAAAH,EAAAE,GACAE,OAAA,EAEAA,EADA3Y,EAAA4Y,qBAAAN,EACAC,EAAAvY,EAAA4Y,UAAAC,SAEAN,EAAAvY,EAAA4Y,WAEAF,EAAAlK,QAAA,SAAAsK,GACA,IAAArH,EAAAkH,EAAA9W,QAAAiX,IACA,IAAArH,GACAkH,EAAAO,OAAAzH,EAAA,KAGAzR,aAAA+Y,WACA/Y,EAAAuX,aAAA,QAAAoB,EAAAK,KAAA,MAEAhZ,EAAA4Y,UAAAD,EAAAK,KAAA,KA9DA,oBAAAxX,SACA8W,EAAA9W,OAAA8W,mBAiEA,IAAAa,IAAA,EAEA,uBAAA3X,OAAA,CACA2X,IAAA,EACA,IACA,IAAAC,GAAA5R,OAAAC,kBAAqC,WACrC4R,IAAA,WACAF,IAAA,KAGA3X,OAAAN,iBAAA,YAAAkY,IACE,MAAAlZ,KAGF,IAAAoZ,GAAA,mBAAAC,QAAA,iBAAAA,OAAAC,SAAA,SAAA1R,GACA,cAAAA,GACC,SAAAA,GACD,OAAAA,GAAA,mBAAAyR,QAAAzR,EAAA2R,cAAAF,QAAAzR,IAAAyR,OAAA1R,UAAA,gBAAAC,GAaA4R,GAAA,SAAA5S,EAAAC,GACA,KAAAD,aAAAC,GACA,UAAAC,UAAA,sCAIA2S,GAAA,WACA,SAAAzS,EAAAzG,EAAA0G,GACA,QAAAvG,EAAA,EAAmBA,EAAAuG,EAAA5G,OAAkBK,IAAA,CACrC,IAAAwG,EAAAD,EAAAvG,GACAwG,EAAAC,WAAAD,EAAAC,aAAA,EACAD,EAAAE,cAAA,EACA,UAAAF,MAAAG,UAAA,GACAC,OAAAC,eAAAhH,EAAA2G,EAAAM,IAAAN,IAIA,gBAAAL,EAAAY,EAAAC,GAGA,OAFAD,GAAAT,EAAAH,EAAAc,UAAAF,GACAC,GAAAV,EAAAH,EAAAa,GACAb,GAdA,GAwBA6S,GAAApS,OAAAQ,QAAA,SAAAvH,GACA,QAAAG,EAAA,EAAiBA,EAAAgF,UAAArF,OAAsBK,IAAA,CACvC,IAAAqH,EAAArC,UAAAhF,GAEA,QAAA8G,KAAAO,EACAT,OAAAK,UAAAK,eAAAzF,KAAAwF,EAAAP,KACAjH,EAAAiH,GAAAO,EAAAP,IAKA,OAAAjH,GAKAoZ,IACAC,WAAA,EACAC,MAAA,EACAjU,MAAA,EACAuF,UAAA,MACA2O,MAAA,GACAC,SAAA,+GACAC,QAAA,cACAjI,OAAA,GAGAkI,MAEAC,GAAA,WAkCA,SAAAA,EAAA5P,EAAAiF,GACAiK,GAAAtJ,KAAAgK,GAEAC,GAAA5X,KAAA2N,MAGAX,EAAAmK,MAAyBC,GAAApK,GAEzBjF,EAAAyN,SAAAzN,IAAA,IAGA4F,KAAA5F,YACA4F,KAAAX,UAGAW,KAAAkK,SAAA,EAEAlK,KAAAmK,QAwgBA,OApeAZ,GAAAS,IACA1S,IAAA,aACArI,MAAA,SAAAoZ,GACArI,KAAAoK,SAAA/B,KAGA/Q,IAAA,aACArI,MAAA,SAAAob,GACArK,KAAAX,QAAAuK,MAAAS,EACArK,KAAAsK,cACAtK,KAAAuK,YAAAF,EAAArK,KAAAX,YAIA/H,IAAA,aACArI,MAAA,SAAAoQ,GACA,IAAAmL,GAAA,EACAnC,EAAAhJ,KAAAgJ,SAAAoC,GAAApL,QAAAqL,aACA1K,KAAAoK,WAAA/B,IACArI,KAAA2K,WAAAtC,GACAmC,GAAA,GAGAnL,EAAAuL,GAAAvL,GAEA,IAAAwL,GAAA,EACAC,GAAA,EAUA,QAAAxT,KARA0I,KAAAX,QAAAwC,SAAAxC,EAAAwC,QAAA7B,KAAAX,QAAApE,YAAAoE,EAAApE,YACA4P,GAAA,IAGA7K,KAAAX,QAAAwK,WAAAxK,EAAAwK,UAAA7J,KAAAX,QAAAyK,UAAAzK,EAAAyK,SAAA9J,KAAAX,QAAAqK,YAAArK,EAAAqK,WAAAc,KACAM,GAAA,GAGAzL,EACAW,KAAAX,QAAA/H,GAAA+H,EAAA/H,GAGA,GAAA0I,KAAAsK,aACA,GAAAQ,EAAA,CACA,IAAAC,EAAA/K,KAAAkK,QAEAlK,KAAAgL,UACAhL,KAAAmK,QAEAY,GACA/K,KAAAiL,YAEKJ,GACL7K,KAAAkL,eAAAna,YAUAuG,IAAA,QACArI,MAAA,WAEA,IAAAkc,EAAA,iBAAAnL,KAAAX,QAAAyK,QAAA9J,KAAAX,QAAAyK,QAAA5N,MAAA,KAAAJ,OAAA,SAAAgO,GACA,qCAAArY,QAAAqY,QAEA9J,KAAAoL,aAAA,EACApL,KAAAqL,sBAAA,IAAAF,EAAA1Z,QAAA,UAGAuO,KAAAsL,mBAAAtL,KAAA5F,UAAA+Q,EAAAnL,KAAAX,YAeA/H,IAAA,UACArI,MAAA,SAAAmL,EAAAyP,GAEA,IAAA0B,EAAAna,OAAAP,SAAA2a,cAAA,OACAD,EAAAE,UAAA5B,EAAA3H,OACA,IAAAwJ,EAAAH,EAAAI,WAAA,GAgBA,OAbAD,EAAAE,GAAA,WAAAxV,KAAAyV,SAAAzZ,SAAA,IAAA0Z,OAAA,MAKAJ,EAAAvE,aAAA,sBAEAnH,KAAAX,QAAA0M,WAAA,IAAA/L,KAAAX,QAAAyK,QAAArY,QAAA,WACAia,EAAA5a,iBAAA,aAAAkP,KAAAoG,MACAsF,EAAA5a,iBAAA,QAAAkP,KAAAoG,OAIAsF,KAGApU,IAAA,cACArI,MAAA,SAAAob,EAAAhL,GACA,IAAAoI,EAAAzH,KAEAA,KAAAgM,cAAA,EACAhM,KAAAiM,cAAA5B,EAAAhL,GAAAtN,KAAA,WACA0V,EAAAyD,eAAAna,cAIAuG,IAAA,gBACArI,MAAA,SAAA2a,EAAAvK,GACA,IAAA6M,EAAAlM,KAEA,WAAArO,QAAA,SAAAG,EAAAqa,GACA,IAAAC,EAAA/M,EAAA3J,KACA2W,EAAAH,EAAA5B,aACA,GAAA+B,EAAA,CACA,IAAAC,EAAAD,EAAA9H,cAAA2H,EAAA7M,QAAAkN,eACA,OAAA3C,EAAAnX,UAEA,GAAA2Z,EAAA,CACA,KAAAE,EAAAE,YACAF,EAAAvE,YAAAuE,EAAAE,YAEAF,EAAAG,YAAA7C,QAEK,uBAAAA,EAAA,CAEL,IAAAnR,EAAAmR,IAcA,YAbAnR,GAAA,mBAAAA,EAAA1G,MACAma,EAAAF,cAAA,EACA3M,EAAAqN,cAAAtE,GAAAiE,EAAAhN,EAAAqN,cACArN,EAAAsN,gBACAT,EAAAD,cAAA5M,EAAAsN,eAAAtN,GAEA5G,EAAA1G,KAAA,SAAA6a,GAEA,OADAvN,EAAAqN,cAAA7D,GAAAwD,EAAAhN,EAAAqN,cACAR,EAAAD,cAAAW,EAAAvN,KACOtN,KAAAD,GAAA+a,MAAAV,IAEPD,EAAAD,cAAAxT,EAAA4G,GAAAtN,KAAAD,GAAA+a,MAAAV,IAKAC,EAAAE,EAAAb,UAAA7B,EAAA0C,EAAAQ,UAAAlD,EAEA9X,UAIAwF,IAAA,QACArI,MAAA,SAAAmL,EAAAiF,GACA,GAAAA,GAAA,iBAAAA,EAAAqK,YACA7Y,SAAA0T,cAAAlF,EAAAqK,WACA,OAGAqD,aAAA/M,KAAAgN,sBAEA3N,EAAAjI,OAAAQ,UAA6ByH,IAC7BwC,OAEA,IAAAoL,GAAA,EACAjN,KAAAsK,eACAlC,GAAApI,KAAAsK,aAAAtK,KAAAoK,UACA6C,GAAA,GAGA,IAAAxU,EAAAuH,KAAAkN,aAAA9S,EAAAiF,GAQA,OANA4N,GAAAjN,KAAAsK,cACAlC,GAAApI,KAAAsK,aAAAtK,KAAAoK,UAGAhC,GAAAhO,GAAA,mBAEA3B,KAGAnB,IAAA,eACArI,MAAA,SAAAmL,EAAAiF,GACA,IAAA8N,EAAAnN,KAGA,GAAAA,KAAAkK,QACA,OAAAlK,KAOA,GALAA,KAAAkK,SAAA,EAEAH,GAAAlK,KAAAG,MAGAA,KAAAsK,aAQA,OAPAtK,KAAAsK,aAAArL,MAAAmO,QAAA,GACApN,KAAAsK,aAAAnD,aAAA,uBACAnH,KAAAkL,eAAApD,uBACA9H,KAAAkL,eAAAna,SACAiP,KAAAgM,cACAhM,KAAAuK,YAAAlL,EAAAuK,MAAAvK,GAEAW,KAIA,IAAA4J,EAAAxP,EAAAiT,aAAA,UAAAhO,EAAAuK,MAGA,IAAAA,EACA,OAAA5J,KAIA,IAAA0L,EAAA1L,KAAAsN,QAAAlT,EAAAiF,EAAAwK,UACA7J,KAAAsK,aAAAoB,EAEA1L,KAAAuK,YAAAX,EAAAvK,GAGAjF,EAAA+M,aAAA,mBAAAuE,EAAAE,IAGA,IAAAlC,EAAA1J,KAAAuN,eAAAlO,EAAAqK,UAAAtP,GAEA4F,KAAAwN,QAAA9B,EAAAhC,GAEA,IAAA+D,EAAAjE,MAAoCnK,EAAAoO,eACpCxS,UAAAoE,EAAApE,YAmCA,OAhCAwS,EAAA7P,UAAA4L,MAA0CiE,EAAA7P,WAC1CwG,OACA7R,QAAAyN,KAAAX,QAAAqO,iBAIArO,EAAA/E,oBACAmT,EAAA7P,UAAA4F,iBACAlJ,kBAAA+E,EAAA/E,oBAIA0F,KAAAkL,eAAA,IAAA1D,EAAApN,EAAAsR,EAAA+B,GAGA/F,sBAAA,YACAyF,EAAA/B,aAAA+B,EAAAjC,gBACAiC,EAAAjC,eAAAna,SAGA2W,sBAAA,WACAyF,EAAA/B,YAGA+B,EAAAnC,UAFAmC,EAAAjD,SAAAwB,EAAAvE,aAAA,0BAMAgG,EAAAnC,YAIAhL,QAGA1I,IAAA,gBACArI,MAAA,WACA,IAAAoS,EAAA0I,GAAAtY,QAAAuO,OACA,IAAAqB,GACA0I,GAAAjB,OAAAzH,EAAA,MAIA/J,IAAA,QACArI,MAAA,WACA,IAAA0e,EAAA3N,KAGA,IAAAA,KAAAkK,QACA,OAAAlK,KAGAA,KAAAkK,SAAA,EACAlK,KAAA4N,gBAGA5N,KAAAsK,aAAArL,MAAAmO,QAAA,OACApN,KAAAsK,aAAAnD,aAAA,sBAEAnH,KAAAkL,eAAAnL,wBAEAgN,aAAA/M,KAAAgN,eACA,IAAAa,EAAApD,GAAApL,QAAAyO,eAeA,OAdA,OAAAD,IACA7N,KAAAgN,cAAA/a,WAAA,WACA0b,EAAArD,eACAqD,EAAArD,aAAArZ,oBAAA,aAAA0c,EAAAvH,MACAuH,EAAArD,aAAArZ,oBAAA,QAAA0c,EAAAvH,MAEAuH,EAAArD,aAAAxX,WAAAiV,YAAA4F,EAAArD,cACAqD,EAAArD,aAAA,OAEKuD,IAGLhF,GAAA7I,KAAA5F,WAAA,mBAEA4F,QAGA1I,IAAA,WACArI,MAAA,WACA,IAAA8e,EAAA/N,KA8BA,OA5BAA,KAAAoL,aAAA,EAGApL,KAAAgO,QAAA5P,QAAA,SAAA5C,GACA,IAAAyS,EAAAzS,EAAAyS,KACAvO,EAAAlE,EAAAkE,MAEAqO,EAAA3T,UAAAnJ,oBAAAyO,EAAAuO,KAEAjO,KAAAgO,WAEAhO,KAAAsK,cACAtK,KAAAkO,QAEAlO,KAAAsK,aAAArZ,oBAAA,aAAA+O,KAAAoG,MACApG,KAAAsK,aAAArZ,oBAAA,QAAA+O,KAAAoG,MAGApG,KAAAkL,eAAAiD,UAGAnO,KAAAkL,eAAA7L,QAAA0D,kBACA/C,KAAAsK,aAAAxX,WAAAiV,YAAA/H,KAAAsK,cACAtK,KAAAsK,aAAA,OAGAtK,KAAA4N,gBAEA5N,QAGA1I,IAAA,iBACArI,MAAA,SAAAya,EAAAtP,GAQA,MANA,iBAAAsP,EACAA,EAAAtY,OAAAP,SAAA0T,cAAAmF,IACI,IAAAA,IAEJA,EAAAtP,EAAAtH,YAEA4W,KAYApS,IAAA,UACArI,MAAA,SAAAyc,EAAAhC,GACAA,EAAA+C,YAAAf,MAGApU,IAAA,qBACArI,MAAA,SAAAmL,EAAA+Q,EAAA9L,GACA,IAAA+O,EAAApO,KAEAqO,KACAC,KAEAnD,EAAA/M,QAAA,SAAAsB,GACA,OAAAA,GACA,YACA2O,EAAAxO,KAAA,cACAyO,EAAAzO,KAAA,cACAuO,EAAA/O,QAAAkP,mBAAAD,EAAAzO,KAAA,SACA,MACA,YACAwO,EAAAxO,KAAA,SACAyO,EAAAzO,KAAA,QACAuO,EAAA/O,QAAAkP,mBAAAD,EAAAzO,KAAA,SACA,MACA,YACAwO,EAAAxO,KAAA,SACAyO,EAAAzO,KAAA,YAMAwO,EAAAjQ,QAAA,SAAAsB,GACA,IAAAuO,EAAA,SAAAO,IACA,IAAAJ,EAAAlE,UAGAsE,EAAAC,eAAA,EACAL,EAAAM,cAAAtU,EAAAiF,EAAAsK,MAAAtK,EAAAmP,KAEAJ,EAAAJ,QAAAnO,MAAyBH,QAAAuO,SACzB7T,EAAAtJ,iBAAA4O,EAAAuO,KAIAK,EAAAlQ,QAAA,SAAAsB,GACA,IAAAuO,EAAA,SAAAO,IACA,IAAAA,EAAAC,eAGAL,EAAAO,cAAAvU,EAAAiF,EAAAsK,MAAAtK,EAAAmP,IAEAJ,EAAAJ,QAAAnO,MAAyBH,QAAAuO,SACzB7T,EAAAtJ,iBAAA4O,EAAAuO,QAIA3W,IAAA,mBACArI,MAAA,SAAAyQ,GACAM,KAAAqL,sBACArL,KAAA2O,cAAA3O,KAAA5F,UAAA4F,KAAAX,QAAAsK,MAAA3J,KAAAX,QAAAK,MAIApI,IAAA,gBACArI,MAAA,SAAAmL,EAAAuP,EAAAtK,GACA,IAAAuP,EAAA5O,KAGA6O,EAAAlF,KAAAsB,MAAAtB,GAAA,EACAoD,aAAA/M,KAAA8O,gBACA9O,KAAA8O,eAAA1d,OAAAa,WAAA,WACA,OAAA2c,EAAAG,MAAA3U,EAAAiF,IACIwP,MAGJvX,IAAA,gBACArI,MAAA,SAAAmL,EAAAuP,EAAAtK,EAAAmP,GACA,IAAAQ,EAAAhP,KAGA6O,EAAAlF,KAAAvD,MAAAuD,GAAA,EACAoD,aAAA/M,KAAA8O,gBACA9O,KAAA8O,eAAA1d,OAAAa,WAAA,WACA,QAAA+c,EAAA9E,SAGArZ,SAAAoC,KAAA3C,SAAA0e,EAAA1E,cAAA,CAMA,kBAAAkE,EAAAS,KAKA,GAJAD,EAAAE,qBAAAV,EAAApU,EAAAuP,EAAAtK,GAKA,OAIA2P,EAAAd,MAAA9T,EAAAiF,KACIwP,OAGJ7E,EA3jBA,GAikBAC,GAAA,WACA,IAAAkF,EAAAnP,KAEAA,KAAAiL,KAAA,WACAkE,EAAAJ,MAAAI,EAAA/U,UAAA+U,EAAA9P,UAGAW,KAAAoG,KAAA,WACA+I,EAAAjB,SAGAlO,KAAAgL,QAAA,WACAmE,EAAAC,YAGApP,KAAAqP,OAAA,WACA,OAAAF,EAAAjF,QACAiF,EAAA/I,OAEA+I,EAAAlE,QAIAjL,KAAAgO,WAEAhO,KAAAkP,qBAAA,SAAAV,EAAApU,EAAAuP,EAAAtK,GACA,IAAAiQ,EAAAd,EAAAc,kBAAAd,EAAAe,WAAAf,EAAAgB,cAeA,QAAAL,EAAA7E,aAAAha,SAAAgf,KAEAH,EAAA7E,aAAAxZ,iBAAA0d,EAAAS,KAfA,SAAAre,EAAA6e,GACA,IAAAC,EAAAD,EAAAH,kBAAAG,EAAAF,WAAAE,EAAAD,cAGAL,EAAA7E,aAAArZ,oBAAAud,EAAAS,KAAAre,GAGAwJ,EAAA9J,SAAAof,IAEAP,EAAAR,cAAAvU,EAAAiF,EAAAsK,MAAAtK,EAAAoQ,MAOA,KAOA,oBAAA5e,UACAA,SAAAC,iBAAA,sBAAA4O,GACA,QAAAlP,EAAA,EAAiBA,EAAAuZ,GAAA5Z,OAAyBK,IAC1CuZ,GAAAvZ,GAAAmf,iBAAAjQ,KAEEqJ,KACFxJ,SAAA,EACAqQ,SAAA,IAoBA,IAAAxT,IACAiC,SAAA,GAGAwR,IAAA,mIAEAC,IAEAC,iBAAA,MAEArF,aAAA,oBAEAsF,mBAAA,cAEAC,aAAA,EAIAC,gBAAA,+GAEAC,qBAAA,kCAEAC,qBAAA,kCAEAC,aAAA,EAEAC,eAAA,cAEAC,cAAA,EAEAC,iBAAA,OACAC,8BAAAhb,EACAib,wBAEAC,oBAAA,kBAEAC,sBAAA,MAEA7E,UAAA,EAEA8E,0BAAA,EAEA/C,eAAA,IAEAgD,SACAf,iBAAA,SAEArF,aAAA,oBAEAqG,iBAAA,kBAEAC,oBAAA,UAEAC,kBAAA,8BAEAC,kBAAA,8BACAb,aAAA,EACAC,eAAA,QACAC,cAAA,EACAC,iBAAA,OACAC,8BAAAhb,EACAib,wBAEAS,iBAAA,EAEAC,qBAAA,IAIA,SAAAxG,GAAAvL,GACA,IAAA5G,GACAwC,eAAA,IAAAoE,EAAApE,UAAAoE,EAAApE,UAAAwP,GAAApL,QAAA0Q,iBACApG,WAAA,IAAAtK,EAAAsK,MAAAtK,EAAAsK,MAAAc,GAAApL,QAAAgR,aACA3a,UAAA,IAAA2J,EAAA3J,KAAA2J,EAAA3J,KAAA+U,GAAApL,QAAA4Q,YACApG,cAAA,IAAAxK,EAAAwK,SAAAxK,EAAAwK,SAAAY,GAAApL,QAAA6Q,gBACAxC,mBAAA,IAAArO,EAAAqO,cAAArO,EAAAqO,cAAAjD,GAAApL,QAAA8Q,qBACA5D,mBAAA,IAAAlN,EAAAkN,cAAAlN,EAAAkN,cAAA9B,GAAApL,QAAA+Q,qBACAtG,aAAA,IAAAzK,EAAAyK,QAAAzK,EAAAyK,QAAAW,GAAApL,QAAAiR,eACAzO,YAAA,IAAAxC,EAAAwC,OAAAxC,EAAAwC,OAAA4I,GAAApL,QAAAkR,cACA7G,eAAA,IAAArK,EAAAqK,UAAArK,EAAAqK,UAAAe,GAAApL,QAAAmR,iBACAlW,uBAAA,IAAA+E,EAAA/E,kBAAA+E,EAAA/E,kBAAAmQ,GAAApL,QAAAoR,yBACA1E,cAAA,IAAA1M,EAAA0M,SAAA1M,EAAA0M,SAAAtB,GAAApL,QAAA0M,SACAwC,uBAAA,IAAAlP,EAAAkP,kBAAAlP,EAAAkP,kBAAA9D,GAAApL,QAAAwR,yBACAnE,kBAAA,IAAArN,EAAAqN,aAAArN,EAAAqN,aAAAjC,GAAApL,QAAAsR,oBACAhE,oBAAA,IAAAtN,EAAAsN,eAAAtN,EAAAsN,eAAAlC,GAAApL,QAAAuR,sBACAnD,cAAAjE,WAA8B,IAAAnK,EAAAoO,cAAApO,EAAAoO,cAAAhD,GAAApL,QAAAqR,uBAG9B,GAAAjY,EAAAoJ,OAAA,CACA,IAAAwP,EAAAnI,GAAAzQ,EAAAoJ,QACAA,EAAApJ,EAAAoJ,QAGA,WAAAwP,GAAA,WAAAA,IAAA,IAAAxP,EAAApQ,QAAA,QACAoQ,EAAA,MAAAA,GAGApJ,EAAAgV,cAAA7P,YACAnF,EAAAgV,cAAA7P,cAEAnF,EAAAgV,cAAA7P,UAAAiE,QACAA,UAQA,OAJApJ,EAAAqR,UAAA,IAAArR,EAAAqR,QAAArY,QAAA,WACAgH,EAAA8V,mBAAA,GAGA9V,EAGA,SAAA6Y,GAAAriB,EAAA2O,GAEA,IADA,IAAA3C,EAAAhM,EAAAgM,UACAzK,EAAA,EAAgBA,EAAAqf,GAAA1f,OAAsBK,IAAA,CACtC,IAAA+gB,EAAA1B,GAAArf,GACAoN,EAAA2T,KACAtW,EAAAsW,GAGA,OAAAtW,EAGA,SAAAuW,GAAAviB,GACA,IAAAggB,OAAA,IAAAhgB,EAAA,YAAAia,GAAAja,GACA,iBAAAggB,EACAhgB,KACEA,GAAA,WAAAggB,IACFhgB,EAAAob,QA4BA,SAAAoH,GAAA7hB,GACAA,EAAA8hB,WACA9hB,EAAA8hB,SAAA1G,iBACApb,EAAA8hB,gBACA9hB,EAAA+hB,iBAGA/hB,EAAAgiB,wBACA/I,GAAAjZ,IAAAgiB,8BACAhiB,EAAAgiB,uBAIA,SAAAjiB,GAAAC,EAAA4L,GACA,IAAAvM,EAAAuM,EAAAvM,MAEA2O,GADApC,EAAAqW,SACArW,EAAAoC,WAEAyM,EAAAmH,GAAAviB,GACA,GAAAob,GAAAjO,GAAAiC,QAEE,CACF,IAAAyT,OAAA,EACAliB,EAAA8hB,WACAI,EAAAliB,EAAA8hB,UAEAK,WAAA1H,GAEAyH,EAAAE,WAAAxI,MAAmCva,GACnCgM,UAAAqW,GAAAriB,EAAA2O,OAGAkU,EAtDA,SAAAliB,EAAAX,GACA,IAAA2O,EAAApI,UAAArF,OAAA,QAAAsF,IAAAD,UAAA,GAAAA,UAAA,MAEA6U,EAAAmH,GAAAviB,GACAoZ,OAAA,IAAApZ,EAAAoZ,QAAApZ,EAAAoZ,QAAAoC,GAAApL,QAAAqL,aACA1B,EAAAQ,IACAI,MAAAS,GACEO,GAAApB,MAA0Bva,GAC5BgM,UAAAqW,GAAAriB,EAAA2O,OAEAkU,EAAAliB,EAAA8hB,SAAA,IAAA1H,GAAApa,EAAAoZ,GACA8I,EAAAnH,WAAAtC,GACAyJ,EAAAG,OAAAriB,EAGA,IAAAsiB,OAAA,IAAAjjB,EAAAijB,cAAAjjB,EAAAijB,cAAAzH,GAAApL,QAAA2Q,mBAIA,OAHApgB,EAAAgiB,sBAAAM,EACA9J,GAAAxY,EAAAsiB,GAEAJ,EAmCAK,CAAAviB,EAAAX,EAAA2O,QAIA,IAAA3O,EAAAgc,MAAAhc,EAAAgc,OAAArb,EAAA+hB,kBACA/hB,EAAA+hB,gBAAA1iB,EAAAgc,KACAhc,EAAAgc,KAAA6G,EAAA7G,OAAA6G,EAAA1L,aAlBAqL,GAAA7hB,GAuBA,IAAA6a,IACApL,QAAAyQ,GACAngB,QACAoB,OAAApB,GACAqB,OAAA,SAAApB,GACA6hB,GAAA7hB,KAIA,SAAAwiB,GAAAxiB,GACAA,EAAAkB,iBAAA,QAAAuhB,IACAziB,EAAAkB,iBAAA,aAAAwhB,KAAAvJ,KACAxJ,SAAA,IAIA,SAAAgT,GAAA3iB,GACAA,EAAAqB,oBAAA,QAAAohB,IACAziB,EAAAqB,oBAAA,aAAAqhB,IACA1iB,EAAAqB,oBAAA,WAAAuhB,IACA5iB,EAAAqB,oBAAA,cAAAwhB,IAGA,SAAAJ,GAAA3S,GACA,IAAA9P,EAAA8P,EAAAgT,cACAhT,EAAAiT,cAAA/iB,EAAAgjB,sBACAlT,EAAAmT,gBAAAjjB,EAAAkjB,2BAAAljB,EAAAkjB,wBAAAC,IAGA,SAAAT,GAAA5S,GACA,OAAAA,EAAAsT,eAAA7iB,OAAA,CACA,IAAAP,EAAA8P,EAAAgT,cACA9iB,EAAAgjB,uBAAA,EACA,IAAAK,EAAAvT,EAAAsT,eAAA,GACApjB,EAAAsjB,2BAAAD,EACArjB,EAAAkB,iBAAA,WAAA0hB,IACA5iB,EAAAkB,iBAAA,cAAA2hB,KAIA,SAAAD,GAAA9S,GACA,IAAA9P,EAAA8P,EAAAgT,cAEA,GADA9iB,EAAAgjB,uBAAA,EACA,IAAAlT,EAAAsT,eAAA7iB,OAAA,CACA,IAAA8iB,EAAAvT,EAAAsT,eAAA,GACAG,EAAAvjB,EAAAsjB,2BACAxT,EAAAiT,aAAAvc,KAAAgd,IAAAH,EAAAI,QAAAF,EAAAE,SAAA,IAAAjd,KAAAgd,IAAAH,EAAAK,QAAAH,EAAAG,SAAA,GACA5T,EAAAmT,gBAAAjjB,EAAAkjB,2BAAAljB,EAAAkjB,wBAAAC,KAIA,SAAAN,GAAA/S,GACAA,EAAAgT,cACAE,uBAAA,EAGA,IAAAW,IACA5jB,KAAA,SAAAC,EAAA4L,GACA,IAAAvM,EAAAuM,EAAAvM,MACA2O,EAAApC,EAAAoC,UAEAhO,EAAAkjB,wBAAAlV,QACA,IAAA3O,OACAmjB,GAAAxiB,IAGAmB,OAAA,SAAAnB,EAAAmM,GACA,IAAA9M,EAAA8M,EAAA9M,MACA4iB,EAAA9V,EAAA8V,SACAjU,EAAA7B,EAAA6B,UAEAhO,EAAAkjB,wBAAAlV,EACA3O,IAAA4iB,SACA,IAAA5iB,KACAmjB,GAAAxiB,GAEA2iB,GAAA3iB,KAIAoB,OAAA,SAAApB,GACA2iB,GAAA3iB,KA8BA,IAAA4jB,QAAA,EAEA,SAAAC,KACAA,GAAAC,OACAD,GAAAC,MAAA,EACAF,IAAA,IA/BA,WACA,IAAAG,EAAAviB,OAAAG,UAAAC,UAEAoiB,EAAAD,EAAAliB,QAAA,SACA,GAAAmiB,EAAA,EAEA,OAAAC,SAAAF,EAAAG,UAAAF,EAAA,EAAAD,EAAAliB,QAAA,IAAAmiB,IAAA,IAIA,GADAD,EAAAliB,QAAA,YACA,GAEA,IAAAsiB,EAAAJ,EAAAliB,QAAA,OACA,OAAAoiB,SAAAF,EAAAG,UAAAC,EAAA,EAAAJ,EAAAliB,QAAA,IAAAsiB,IAAA,IAGA,IAAAC,EAAAL,EAAAliB,QAAA,SACA,OAAAuiB,EAAA,EAEAH,SAAAF,EAAAG,UAAAE,EAAA,EAAAL,EAAAliB,QAAA,IAAAuiB,IAAA,KAIA,EAQAC,IAIA,IAAAC,IAAsBC,OAAA,WACtB,IAAiBC,EAAjBpU,KAAiBqU,eAAwD,OAAzErU,KAA6CsU,MAAAC,IAAAH,GAA4B,OAAkBI,YAAA,kBAAAC,OAAyCC,SAAA,SAClIC,mBAAAC,SAAA,kBACFnW,KAAA,kBAEAoW,SACAC,OAAA,WACA9U,KAAA+U,MAAA,WAEAC,kBAAA,WACAhV,KAAAiV,cAAAC,gBAAA/V,YAAArO,iBAAA,SAAAkP,KAAA8U,QACA9U,KAAAmV,KAAAnV,KAAAoV,IAAAtc,aAAAkH,KAAAoU,KAAApU,KAAAoV,IAAApc,cACAgH,KAAA8U,UAGAO,qBAAA,WACArV,KAAAiV,eAAAjV,KAAAiV,cAAAK,UACA9B,IAAAxT,KAAAiV,cAAAC,iBACAlV,KAAAiV,cAAAC,gBAAA/V,YAAAlO,oBAAA,SAAA+O,KAAA8U,eAEA9U,KAAAiV,cAAAK,UAKAC,QAAA,WACA,IAAA9N,EAAAzH,KAEAyT,KACAzT,KAAAwV,UAAA,WACA/N,EAAA0N,GAAA1N,EAAA2N,IAAAtc,YACA2O,EAAA2M,GAAA3M,EAAA2N,IAAApc,eAEA,IAAAyc,EAAA5kB,SAAA2a,cAAA,UACAxL,KAAAiV,cAAAQ,EACAA,EAAAtO,aAAA,gJACAsO,EAAAtO,aAAA,sBACAsO,EAAAtO,aAAA,eACAsO,EAAAH,OAAAtV,KAAAgV,kBACAS,EAAAxG,KAAA,YACAuE,IACAxT,KAAAoV,IAAA3I,YAAAgJ,GAEAA,EAAA5X,KAAA,cACA2V,IACAxT,KAAAoV,IAAA3I,YAAAgJ,IAGAC,cAAA,WACA1V,KAAAqV,yBAcA,IAAAM,IAEA9hB,QAAA,QACA+hB,QAZA,SAAAC,GACAA,EAAAC,UAAA,kBAAA5B,MAeA6B,GAAA,KAUA,SAAAC,GAAA1e,GACA,IAAArI,EAAAwb,GAAApL,QAAAyR,QAAAxZ,GACA,gBAAArI,EACAwb,GAAApL,QAAA/H,GAEArI,EAdA,oBAAAmC,OACA2kB,GAAA3kB,OAAAykB,SACC,IAAA3kB,IACD6kB,GAAA7kB,EAAA2kB,KAEAE,IACAA,GAAAE,IAAAN,IAWA,IAAAO,IAAA,EACA,oBAAA9kB,QAAA,oBAAAG,YACA2kB,GAAA,mBAAA3iB,KAAAhC,UAAAC,aAAAJ,OAAA+kB,UAGA,IAAAC,MAEAC,GAAA,aACA,oBAAAjlB,SACAilB,GAAAjlB,OAAAilB,SAGA,IAAAC,IAAenC,OAAA,WACf,IAAAoC,EAAAvW,KAAiBoU,EAAAmC,EAAAlC,eAA4BE,EAAAgC,EAAAjC,MAAAC,IAAAH,EAA4B,OAAAG,EAAA,OAAkBC,YAAA,YAAAgC,MAAAD,EAAAE,WAAgDlC,EAAA,QAAemC,IAAA,UAAAlC,YAAA,UAAAmC,aAAuDvJ,QAAA,gBAA4BqH,OAAUmC,mBAAAL,EAAAM,UAAAnC,UAAA,IAAA6B,EAAAzM,QAAArY,QAAA,iBAAgG8kB,EAAAO,GAAA,eAAAP,EAAAQ,GAAA,KAAAxC,EAAA,OAAmDmC,IAAA,UAAAF,OAAAD,EAAAS,iBAAAT,EAAAU,aAAAV,EAAAE,UAAAxX,OAC1YiY,WAAAX,EAAAxL,OAAA,oBACI0J,OAAU7I,GAAA2K,EAAAM,UAAAM,cAAAZ,EAAAxL,OAAA,kBAAsEwJ,EAAA,OAAciC,MAAAD,EAAAa,sBAAiC7C,EAAA,OAAcmC,IAAA,QAAAF,MAAAD,EAAAc,kBAAAV,aAA2DhQ,SAAA,cAA2B4N,EAAA,OAAAgC,EAAAO,GAAA,eAAAP,EAAAQ,GAAA,KAAAR,EAAAe,aAAA/C,EAAA,kBAA4FgD,IAAMzC,OAAAyB,EAAAiB,kBAAiCjB,EAAAkB,MAAA,GAAAlB,EAAAQ,GAAA,KAAAxC,EAAA,OAA2CmC,IAAA,QAAAF,MAAAD,EAAAmB,2BACnZ/C,mBACFlW,KAAA,WAEAkZ,YACAzD,mBAGAnd,OACA6gB,MACA3I,KAAA4I,QACAC,SAAA,GAEAC,UACA9I,KAAA4I,QACAC,SAAA,GAEA7c,WACAgU,KAAA+I,OACAF,QAAA,WACA,OAAA9B,GAAA,sBAGArM,OACAsF,MAAA+I,OAAAC,OAAA7gB,QACA0gB,QAAA,WACA,OAAA9B,GAAA,kBAGAnU,QACAoN,MAAA+I,OAAAC,QACAH,QAAA,WACA,OAAA9B,GAAA,mBAGAlM,SACAmF,KAAA+I,OACAF,QAAA,WACA,OAAA9B,GAAA,oBAGAtM,WACAuF,MAAA+I,OAAA5gB,OAAAif,GAAAwB,SACAC,QAAA,WACA,OAAA9B,GAAA,sBAGA1b,mBACA2U,MAAA+I,OAAA3B,IACAyB,QAAA,WACA,OAAA9B,GAAA,8BAGAvI,eACAwB,KAAA7X,OACA0gB,QAAA,WACA,OAAA9B,GAAA,0BAGAiB,cACAhI,MAAA+I,OAAAta,OACAoa,QAAA,WACA,OAAA9B,GAAA,kBAGAgB,kBACA/H,MAAA+I,OAAAta,OACAoa,QAAA,WACA,OAAArN,GAAApL,QAAAyR,QAAAC,mBAGAsG,mBACApI,MAAA+I,OAAAta,OACAoa,QAAA,WACA,OAAArN,GAAApL,QAAAyR,QAAAG,oBAGAmG,qBACAnI,MAAA+I,OAAAta,OACAoa,QAAA,WACA,OAAArN,GAAApL,QAAAyR,QAAAE,sBAGA0G,mBACAzI,MAAA+I,OAAAta,OACAoa,QAAA,WACA,OAAArN,GAAApL,QAAAyR,QAAAI,oBAGAnF,UACAkD,KAAA4I,QACAC,QAAA,WACA,OAAArN,GAAApL,QAAAyR,QAAAK,kBAGAmG,cACArI,KAAA4I,QACAC,QAAA,WACA,OAAArN,GAAApL,QAAAyR,QAAAM,sBAGA8G,WACAjJ,KAAA+I,OACAF,QAAA,OAIAja,KAAA,WACA,OACAkN,QAAA,EACAa,GAAAxV,KAAAyV,SAAAzZ,SAAA,IAAA0Z,OAAA,QAKAqM,UACA1B,SAAA,WACA,OACAmB,KAAA5X,KAAA+K,SAGA8L,UAAA,WACA,iBAAA7W,KAAA4L,KAIAwM,OACAR,KAAA,SAAAS,GACAA,EACArY,KAAAiL,OAEAjL,KAAAoG,QAGA2R,SAAA,SAAAM,EAAAC,GACAD,IAAAC,IACAD,EACArY,KAAAoG,OACKpG,KAAA4X,MACL5X,KAAAiL,SAIAvB,UAAA,SAAA2O,GACA,GAAArY,KAAA+K,QAAA/K,KAAAkL,eAAA,CACA,IAAAqN,EAAAvY,KAAAwY,MAAA1H,QACA1W,EAAA4F,KAAAwY,MAAA1O,QAEAJ,EAAA1J,KAAAyY,gBAAAzY,KAAA0J,UAAAtP,GACA,IAAAsP,EAEA,YADAxa,QAAAC,KAAA,2BAAA6Q,MAIA0J,EAAA+C,YAAA8L,GACAvY,KAAAkL,eAAAhL,mBAGA4J,QAAA,SAAAuO,GACArY,KAAA0Y,yBACA1Y,KAAA2Y,uBAEA1d,UAAA,SAAAod,GACA,IAAA5Q,EAAAzH,KAEAA,KAAA4Y,eAAA,WACAnR,EAAAyD,eAAA7L,QAAApE,UAAAod,KAKAxW,OAAA,kBAEAvH,kBAAA,kBAEAmT,eACA5d,QAAA,kBACAgpB,MAAA,IAIAC,QAAA,WACA9Y,KAAA+Y,cAAA,EACA/Y,KAAAgZ,WAAA,EACAhZ,KAAAiZ,YACAjZ,KAAAkZ,eAAA,GAEA3D,QAAA,WACA,IAAAgD,EAAAvY,KAAAwY,MAAA1H,QACAyH,EAAAzlB,YAAAylB,EAAAzlB,WAAAiV,YAAAwQ,GAEAvY,KAAAmZ,SAEAnZ,KAAA4X,MACA5X,KAAAiL,QAGAyK,cAAA,WACA1V,KAAAgL,WAIA6J,SACA5J,KAAA,WACA,IAAAiB,EAAAlM,KAEAxE,EAAAhG,UAAArF,OAAA,QAAAsF,IAAAD,UAAA,GAAAA,UAAA,MACAkK,EAAAlE,EAAAkE,MAGA0Z,GAFA5d,EAAA6d,UAEA7d,EAAA8d,cACA7jB,IAAA2jB,OAEApZ,KAAA+X,WACA/X,KAAAuZ,eAAA7Z,GACAM,KAAA+U,MAAA,SAEA/U,KAAA+U,MAAA,kBACA/U,KAAAwZ,eAAA,EACA9R,sBAAA,WACAwE,EAAAsN,eAAA,KAGApT,KAAA,WACA,IAAArK,EAAAvG,UAAArF,OAAA,QAAAsF,IAAAD,UAAA,GAAAA,UAAA,MACAkK,EAAA3D,EAAA2D,MACA3D,EAAAsd,UAEArZ,KAAAyZ,eAAA/Z,GAEAM,KAAA+U,MAAA,QACA/U,KAAA+U,MAAA,mBAEA/J,QAAA,WAIA,GAHAhL,KAAA+Y,cAAA,EACA/Y,KAAA0Y,yBACA1Y,KAAAoG,MAAciT,WAAA,IACdrZ,KAAAkL,iBACAlL,KAAAkL,eAAAiD,WAGAnO,KAAAkL,eAAA7L,QAAA0D,iBAAA,CACA,IAAAwV,EAAAvY,KAAAwY,MAAA1H,QACAyH,EAAAzlB,YAAAylB,EAAAzlB,WAAAiV,YAAAwQ,GAGAvY,KAAAgZ,WAAA,EACAhZ,KAAAkL,eAAA,KACAlL,KAAA+K,QAAA,EAEA/K,KAAA+U,MAAA,YAEAoE,OAAA,YACA,IAAAnZ,KAAA8J,QAAArY,QAAA,WACAuO,KAAA2Y,uBAGAe,OAAA,WACA,IAAAvM,EAAAnN,KAEA5F,EAAA4F,KAAAwY,MAAA1O,QACAyO,EAAAvY,KAAAwY,MAAA1H,QAKA,GAHA/D,aAAA/M,KAAA2Z,iBAGA3Z,KAAA+K,OAAA,CAWA,GANA/K,KAAAkL,iBACAlL,KAAA+K,QAAA,EACA/K,KAAAkL,eAAApD,uBACA9H,KAAAkL,eAAAhL,mBAGAF,KAAAgZ,UAAA,CACA,IAAAtP,EAAA1J,KAAAyY,gBAAAzY,KAAA0J,UAAAtP,GACA,IAAAsP,EAEA,YADAxa,QAAAC,KAAA,2BAAA6Q,MAGA0J,EAAA+C,YAAA8L,GACAvY,KAAAgZ,WAAA,EAGA,IAAAhZ,KAAAkL,eAAA,CACA,IAAAuC,EAAAjE,MAAqCxJ,KAAAyN,eACrCxS,UAAA+E,KAAA/E,YASA,GANAwS,EAAA7P,UAAA4L,MAA2CiE,EAAA7P,WAC3CwG,MAAAoF,MAAyBiE,EAAA7P,WAAA6P,EAAA7P,UAAAwG,OACzB7R,QAAAyN,KAAAwY,MAAApU,UAIApE,KAAA6B,OAAA,CACA,IAAAA,EAAA7B,KAAA4Z,cAEAnM,EAAA7P,UAAAiE,OAAA2H,MAAmDiE,EAAA7P,WAAA6P,EAAA7P,UAAAiE,QACnDA,WAIA7B,KAAA1F,oBACAmT,EAAA7P,UAAA4F,gBAAAgG,MAA4DiE,EAAA7P,WAAA6P,EAAA7P,UAAA4F,iBAC5DlJ,kBAAA0F,KAAA1F,qBAIA0F,KAAAkL,eAAA,IAAA1D,EAAApN,EAAAme,EAAA9K,GAGA/F,sBAAA,YACAyF,EAAA4L,cAAA5L,EAAAjC,gBACAiC,EAAAjC,eAAAhL,iBAGAwH,sBAAA,WACAyF,EAAA4L,aAGA5L,EAAAnC,UAFAmC,EAAApC,QAAA,KAMAoC,EAAAnC,YAKA,IAAAkN,EAAAlY,KAAAkY,UACA,GAAAA,EAEA,IADA,IAAApH,OAAA,EACAtgB,EAAA,EAAmBA,EAAA4lB,GAAAjmB,OAAyBK,KAC5CsgB,EAAAsF,GAAA5lB,IACA0nB,gBACApH,EAAA1K,OACA0K,EAAAiE,MAAA,gBAKAqB,GAAAvW,KAAAG,MAEAA,KAAA+U,MAAA,gBAEA8E,OAAA,WACA,IAAAlM,EAAA3N,KAGA,GAAAA,KAAA+K,OAAA,CAIA,IAAA1J,EAAA+U,GAAA3kB,QAAAuO,OACA,IAAAqB,GACA+U,GAAAtN,OAAAzH,EAAA,GAGArB,KAAA+K,QAAA,EACA/K,KAAAkL,gBACAlL,KAAAkL,eAAAnL,wBAGAgN,aAAA/M,KAAA2Z,gBACA,IAAA9L,EAAApD,GAAApL,QAAAyR,QAAAhD,gBAAArD,GAAApL,QAAAyO,eACA,OAAAD,IACA7N,KAAA2Z,eAAA1nB,WAAA,WACA,IAAAsmB,EAAA5K,EAAA6K,MAAA1H,QACAyH,IAEAA,EAAAzlB,YAAAylB,EAAAzlB,WAAAiV,YAAAwQ,GACA5K,EAAAqL,WAAA,IAEKnL,IAGL7N,KAAA+U,MAAA,gBAEA0D,gBAAA,SAAA/O,EAAAtP,GAQA,MANA,iBAAAsP,EACAA,EAAAtY,OAAAP,SAAA0T,cAAAmF,IACI,IAAAA,IAEJA,EAAAtP,EAAAtH,YAEA4W,GAEAkQ,YAAA,WACA,IAAAvI,EAAAnI,GAAAlJ,KAAA6B,QACAA,EAAA7B,KAAA6B,OAOA,OAJA,WAAAwP,GAAA,WAAAA,IAAA,IAAAxP,EAAApQ,QAAA,QACAoQ,EAAA,MAAAA,GAGAA,GAEA8W,oBAAA,WACA,IAAA5K,EAAA/N,KAEA5F,EAAA4F,KAAAwY,MAAA1O,QACAuE,KACAC,MAEA,iBAAAtO,KAAA8J,QAAA9J,KAAA8J,QAAA5N,MAAA,KAAAJ,OAAA,SAAAgO,GACA,qCAAArY,QAAAqY,SAGA1L,QAAA,SAAAsB,GACA,OAAAA,GACA,YACA2O,EAAAxO,KAAA,cACAyO,EAAAzO,KAAA,cACA,MACA,YACAwO,EAAAxO,KAAA,SACAyO,EAAAzO,KAAA,QACA,MACA,YACAwO,EAAAxO,KAAA,SACAyO,EAAAzO,KAAA,YAMAwO,EAAAjQ,QAAA,SAAAsB,GACA,IAAAuO,EAAA,SAAAvO,GACAqO,EAAAhD,SAGArL,EAAA+O,eAAA,GACAV,EAAAmL,eAAAnL,EAAA9C,MAA2CvL,YAE3CqO,EAAAkL,SAAApZ,MAA0BH,QAAAuO,SAC1B7T,EAAAtJ,iBAAA4O,EAAAuO,KAIAK,EAAAlQ,QAAA,SAAAsB,GACA,IAAAuO,EAAA,SAAAvO,GACAA,EAAA+O,eAGAV,EAAA3H,MAAkB1G,WAElBqO,EAAAkL,SAAApZ,MAA0BH,QAAAuO,SAC1B7T,EAAAtJ,iBAAA4O,EAAAuO,MAGAsL,eAAA,WACA,IAAAF,EAAA7jB,UAAArF,OAAA,QAAAsF,IAAAD,UAAA,IAAAA,UAAA,GAGA,GADAuX,aAAA/M,KAAA8Z,iBACAT,EACArZ,KAAA0Z,aACI,CAEJ,IAAA7K,EAAAgF,SAAA7T,KAAA2J,OAAA3J,KAAA2J,MAAAsB,MAAAjL,KAAA2J,OAAA,GACA3J,KAAA8Z,gBAAA7nB,WAAA+N,KAAA0Z,OAAA/pB,KAAAqQ,MAAA6O,KAGA4K,eAAA,WACA,IAAArL,EAAApO,KAEAN,EAAAlK,UAAArF,OAAA,QAAAsF,IAAAD,UAAA,GAAAA,UAAA,QACA6jB,EAAA7jB,UAAArF,OAAA,QAAAsF,IAAAD,UAAA,IAAAA,UAAA,GAGA,GADAuX,aAAA/M,KAAA8Z,iBACAT,EACArZ,KAAA6Z,aACI,CAEJ,IAAAhL,EAAAgF,SAAA7T,KAAA2J,OAAA3J,KAAA2J,MAAAvD,MAAApG,KAAA2J,OAAA,GACA3J,KAAA8Z,gBAAA7nB,WAAA,WACA,GAAAmc,EAAArD,OAAA,CAMA,GAAArL,GAAA,eAAAA,EAAAuP,KAKA,GAJAb,EAAA2L,sBAAAra,GAKA,OAIA0O,EAAAyL,WACKhL,KAGLkL,sBAAA,SAAAra,GACA,IAAAkP,EAAA5O,KAEA5F,EAAA4F,KAAAwY,MAAA1O,QACAyO,EAAAvY,KAAAwY,MAAA1H,QAEAxB,EAAA5P,EAAA4P,kBAAA5P,EAAA6P,WAAA7P,EAAA8P,cAeA,QAAA+I,EAAAjoB,SAAAgf,KAEAiJ,EAAAznB,iBAAA4O,EAAAuP,KAfA,SAAAre,EAAAopB,GACA,IAAAtK,EAAAsK,EAAA1K,kBAAA0K,EAAAzK,WAAAyK,EAAAxK,cAGA+I,EAAAtnB,oBAAAyO,EAAAuP,KAAAre,GAGAwJ,EAAA9J,SAAAof,IAEAd,EAAAxI,MAAkB1G,MAAAsa,OAOlB,IAKAtB,uBAAA,WACA,IAAAte,EAAA4F,KAAAwY,MAAA1O,QACA9J,KAAAiZ,SAAA7a,QAAA,SAAA6b,GACA,IAAAhM,EAAAgM,EAAAhM,KACAvO,EAAAua,EAAAva,MAEAtF,EAAAnJ,oBAAAyO,EAAAuO,KAEAjO,KAAAiZ,aAEAL,eAAA,SAAAsB,GACAla,KAAAkL,iBACAgP,IACAla,KAAA+K,QAAA/K,KAAAkL,eAAAhL,mBAGAia,gBAAA,WACA,GAAAna,KAAAkL,eAAA,CACA,IAAAH,EAAA/K,KAAA+K,OACA/K,KAAAgL,UACAhL,KAAA+Y,cAAA,EACA/Y,KAAAmZ,SACApO,GACA/K,KAAAiL,MAAgBoO,WAAA,EAAAC,OAAA,MAIhBc,oBAAA,SAAA1a,GACA,IAAAsP,EAAAhP,KAEAiT,EAAAzd,UAAArF,OAAA,QAAAsF,IAAAD,UAAA,IAAAA,UAAA,GAEAwK,KAAAwZ,gBAEAxZ,KAAAoG,MAAc1G,UAEdA,EAAAiT,aACA3S,KAAA+U,MAAA,mBAEA/U,KAAA+U,MAAA,aAGA9B,IACAjT,KAAAkZ,eAAA,EACAjnB,WAAA,WACA+c,EAAAkK,eAAA,GACK,QAGL1B,eAAA,WACAxX,KAAA+K,QAAA/K,KAAAkL,iBACAlL,KAAAkL,eAAAhL,iBACAF,KAAA+U,MAAA,cAyBA,SAAAsF,GAAA3a,GACA,IAAAuT,EAAAzd,UAAArF,OAAA,QAAAsF,IAAAD,UAAA,IAAAA,UAAA,GAGAkS,sBAAA,WAEA,IADA,IAAAoJ,OAAA,EACAtgB,EAAA,EAAiBA,EAAA4lB,GAAAjmB,OAAyBK,IAE1C,IADAsgB,EAAAsF,GAAA5lB,IACAgoB,MAAA1H,QAAA,CACA,IAAAxgB,EAAAwgB,EAAA0H,MAAA1H,QAAAxgB,SAAAoP,EAAArP,SACAqP,EAAAmT,iBAAAnT,EAAAiT,cAAAriB,GAAAwgB,EAAA/E,WAAAzb,IACAwgB,EAAAsJ,oBAAA1a,EAAAuT,MA9BA,oBAAApiB,UAAA,oBAAAO,SACA8kB,GACArlB,SAAAC,iBAAA,WAaA,SAAA4O,GACA2a,GAAA3a,GAAA,KAdAqJ,KACAxJ,SAAA,EACAqQ,SAAA,IAGAxe,OAAAN,iBAAA,QAIA,SAAA4O,GACA2a,GAAA3a,KALA,IA8BA,IAAA4a,GAAA,oBAAAlpB,mBAAA,IAAAF,IAAA,oBAAAqpB,aAUA,IAAAC,GAJA,SAAA5oB,EAAAnC,GACA,OAAgCmC,EAAhCnC,GAAkBC,YAAcD,EAAAC,SAAAD,EAAAC,QAGhC+qB,CAAA,SAAAhrB,EAAAC,GAWA,IAAAgrB,EAAA,IAGAC,EAAA,4BAGAC,EAAA,IACAC,EAAA,GAGAC,EAAA,iBAGAC,EAAA,qBAEAC,EAAA,yBAIAC,EAAA,oBACAC,EAAA,6BAGAC,EAAA,gBACAC,EAAA,kBACAC,EAAA,iBAIAC,EAAA,qBAsBAC,EAAA,8BAGAC,EAAA,mBAGAC,KACAA,EAxBA,yBAwBAA,EAvBA,yBAwBAA,EAvBA,sBAuBAA,EAtBA,uBAuBAA,EAtBA,uBAsBAA,EArBA,uBAsBAA,EArBA,8BAqBAA,EApBA,wBAqBAA,EApBA,yBAoBA,EACAA,EAAAV,GAAAU,EAjDA,kBAkDAA,EAhCA,wBAgCAA,EAhDA,oBAiDAA,EAhCA,qBAgCAA,EAhDA,iBAiDAA,EAhDA,kBAgDAA,EAAAR,GACAQ,EA9CA,gBA8CAA,EA7CA,mBA8CAA,EAAAL,GAAAK,EA1CA,mBA2CAA,EA1CA,gBA0CAA,EAzCA,mBA0CAA,EAxCA,qBAwCA,EAGA,IAAAC,EAAA,iBAAApB,WAAAljB,iBAAAkjB,GAGAqB,EAAA,iBAAApB,iBAAAnjB,iBAAAmjB,KAGAqB,EAAAF,GAAAC,GAAAE,SAAA,cAAAA,GAGAC,EAAApsB,MAAA+C,UAAA/C,EAGAqsB,EAAAD,GAAArsB,MAAAgD,UAAAhD,EAGAusB,EAAAD,KAAArsB,UAAAosB,EAGAG,EAAAD,GAAAN,EAAAQ,QAGAC,EAAA,WACA,IACA,OAAAF,KAAAjtB,SAAAitB,EAAAjtB,QAAA,QACG,MAAAc,KAHH,GAOAssB,EAAAD,KAAAE,aAwFA,SAAAC,EAAA7G,EAAAne,GACA,mBAAAA,OACA7B,EACAggB,EAAAne,GAIA,IAAAilB,EAAA7e,MAAAjG,UACA+kB,EAAAX,SAAApkB,UACAglB,EAAArlB,OAAAK,UAGAilB,EAAAd,EAAA,sBAGAe,EAAAH,EAAApqB,SAGA0F,EAAA2kB,EAAA3kB,eAGA8kB,EAAA,WACA,IAAAC,EAAA,SAAAC,KAAAJ,KAAArhB,MAAAqhB,EAAArhB,KAAA0hB,UAAA,IACA,OAAAF,EAAA,iBAAAA,EAAA,GAFA,GAUAG,EAAAP,EAAArqB,SAGA6qB,EAAAN,EAAAtqB,KAAA+E,QAGA8lB,EAAAC,OAAA,IACAR,EAAAtqB,KAAAyF,GAAA8E,QAnLA,sBAmLA,QACAA,QAAA,uEAIAwgB,EAAApB,EAAAJ,EAAAwB,YAAA3nB,EACA0T,EAAAyS,EAAAzS,OACAkU,EAAAzB,EAAAyB,WACAC,EAAAF,IAAAE,iBAAA7nB,EACA8nB,EA7DA,SAAAtP,EAAAtK,GACA,gBAAA6Z,GACA,OAAAvP,EAAAtK,EAAA6Z,KA2DAC,CAAArmB,OAAAsmB,eAAAtmB,QACAumB,EAAAvmB,OAAAwmB,OACAC,EAAApB,EAAAoB,qBACA/U,EAAAyT,EAAAzT,OACAgV,EAAA3U,IAAA4U,iBAAAtoB,EAEA4B,EAAA,WACA,IACA,IAAA4W,EAAA+P,GAAA5mB,OAAA,kBAEA,OADA6W,KAAW,OACXA,EACG,MAAAne,KALH,GASAmuB,EAAAb,IAAAc,cAAAzoB,EACA0oB,EAAA/nB,KAAAC,IACA+nB,EAAAC,KAAAC,IAGAC,EAAAP,GAAApC,EAAA,OACA4C,EAAAR,GAAA5mB,OAAA,UAUAqnB,EAAA,WACA,SAAAhJ,KACA,gBAAAiJ,GACA,IAAAC,GAAAD,GACA,SAEA,GAAAf,EACA,OAAAA,EAAAe,GAEAjJ,EAAAhe,UAAAinB,EACA,IAAAjmB,EAAA,IAAAgd,EAEA,OADAA,EAAAhe,eAAAhC,EACAgD,GAZA,GAuBA,SAAAmmB,GAAAC,GACA,IAAAxd,GAAA,EACAlR,EAAA,MAAA0uB,EAAA,EAAAA,EAAA1uB,OAGA,IADA6P,KAAA8e,UACAzd,EAAAlR,GAAA,CACA,IAAA4uB,EAAAF,EAAAxd,GACArB,KAAAgf,IAAAD,EAAA,GAAAA,EAAA,KA+FA,SAAAE,GAAAJ,GACA,IAAAxd,GAAA,EACAlR,EAAA,MAAA0uB,EAAA,EAAAA,EAAA1uB,OAGA,IADA6P,KAAA8e,UACAzd,EAAAlR,GAAA,CACA,IAAA4uB,EAAAF,EAAAxd,GACArB,KAAAgf,IAAAD,EAAA,GAAAA,EAAA,KA4GA,SAAAG,GAAAL,GACA,IAAAxd,GAAA,EACAlR,EAAA,MAAA0uB,EAAA,EAAAA,EAAA1uB,OAGA,IADA6P,KAAA8e,UACAzd,EAAAlR,GAAA,CACA,IAAA4uB,EAAAF,EAAAxd,GACArB,KAAAgf,IAAAD,EAAA,GAAAA,EAAA,KA8FA,SAAAI,GAAAN,GACA,IAAAhhB,EAAAmC,KAAAof,SAAA,IAAAH,GAAAJ,GACA7e,KAAAqf,KAAAxhB,EAAAwhB,KAmGA,SAAAC,GAAArwB,EAAAswB,GACA,IAAAC,EAAAC,GAAAxwB,GACAywB,GAAAF,GAAAG,GAAA1wB,GACA2wB,GAAAJ,IAAAE,GAAAxB,GAAAjvB,GACA4wB,GAAAL,IAAAE,IAAAE,GAAAvD,GAAAptB,GACA6wB,EAAAN,GAAAE,GAAAE,GAAAC,EACApnB,EAAAqnB,EAvkBA,SAAAzf,EAAA0f,GAIA,IAHA,IAAA1e,GAAA,EACA5I,EAAAiF,MAAA2C,KAEAgB,EAAAhB,GACA5H,EAAA4I,GAAA0e,EAAA1e,GAEA,OAAA5I,EAgkBAunB,CAAA/wB,EAAAkB,OAAA6nB,WACA7nB,EAAAsI,EAAAtI,OAEA,QAAAmH,KAAArI,GACAswB,IAAAznB,EAAAzF,KAAApD,EAAAqI,IACAwoB,IAEA,UAAAxoB,GAEAsoB,IAAA,UAAAtoB,GAAA,UAAAA,IAEAuoB,IAAA,UAAAvoB,GAAA,cAAAA,GAAA,cAAAA,IAEA2oB,GAAA3oB,EAAAnH,KAEAsI,EAAAoH,KAAAvI,GAGA,OAAAmB,EAYA,SAAAynB,GAAAzK,EAAAne,EAAArI,SACAwG,IAAAxG,GAAAkxB,GAAA1K,EAAAne,GAAArI,WACAwG,IAAAxG,GAAAqI,KAAAme,IACA2K,GAAA3K,EAAAne,EAAArI,GAcA,SAAAoxB,GAAA5K,EAAAne,EAAArI,GACA,IAAAqxB,EAAA7K,EAAAne,GACAQ,EAAAzF,KAAAojB,EAAAne,IAAA6oB,GAAAG,EAAArxB,UACAwG,IAAAxG,GAAAqI,KAAAme,IACA2K,GAAA3K,EAAAne,EAAArI,GAYA,SAAAsxB,GAAAC,EAAAlpB,GAEA,IADA,IAAAnH,EAAAqwB,EAAArwB,OACAA,KACA,GAAAgwB,GAAAK,EAAArwB,GAAA,GAAAmH,GACA,OAAAnH,EAGA,SAYA,SAAAiwB,GAAA3K,EAAAne,EAAArI,GACA,aAAAqI,GAAAD,EACAA,EAAAoe,EAAAne,GACAJ,cAAA,EACAD,YAAA,EACAhI,QACAkI,UAAA,IAGAse,EAAAne,GAAArI,EA3aA2vB,GAAAnnB,UAAAqnB,MAvEA,WACA9e,KAAAof,SAAAZ,IAAA,SACAxe,KAAAqf,KAAA,GAsEAT,GAAAnnB,UAAA,OAzDA,SAAAH,GACA,IAAAmB,EAAAuH,KAAAygB,IAAAnpB,WAAA0I,KAAAof,SAAA9nB,GAEA,OADA0I,KAAAqf,MAAA5mB,EAAA,IACAA,GAuDAmmB,GAAAnnB,UAAAwR,IA3CA,SAAA3R,GACA,IAAAuG,EAAAmC,KAAAof,SACA,GAAAZ,EAAA,CACA,IAAA/lB,EAAAoF,EAAAvG,GACA,OAAAmB,IAAAkiB,OAAAllB,EAAAgD,EAEA,OAAAX,EAAAzF,KAAAwL,EAAAvG,GAAAuG,EAAAvG,QAAA7B,GAsCAmpB,GAAAnnB,UAAAgpB,IA1BA,SAAAnpB,GACA,IAAAuG,EAAAmC,KAAAof,SACA,OAAAZ,OAAA/oB,IAAAoI,EAAAvG,GAAAQ,EAAAzF,KAAAwL,EAAAvG,IAyBAsnB,GAAAnnB,UAAAunB,IAZA,SAAA1nB,EAAArI,GACA,IAAA4O,EAAAmC,KAAAof,SAGA,OAFApf,KAAAqf,MAAArf,KAAAygB,IAAAnpB,GAAA,IACAuG,EAAAvG,GAAAknB,QAAA/oB,IAAAxG,EAAA0rB,EAAA1rB,EACA+Q,MAuHAif,GAAAxnB,UAAAqnB,MApFA,WACA9e,KAAAof,YACApf,KAAAqf,KAAA,GAmFAJ,GAAAxnB,UAAA,OAvEA,SAAAH,GACA,IAAAuG,EAAAmC,KAAAof,SACA/d,EAAAkf,GAAA1iB,EAAAvG,GAEA,QAAA+J,EAAA,IAIAA,GADAxD,EAAA1N,OAAA,EAEA0N,EAAA6iB,MAEA5X,EAAAzW,KAAAwL,EAAAwD,EAAA,KAEArB,KAAAqf,KACA,KA0DAJ,GAAAxnB,UAAAwR,IA9CA,SAAA3R,GACA,IAAAuG,EAAAmC,KAAAof,SACA/d,EAAAkf,GAAA1iB,EAAAvG,GAEA,OAAA+J,EAAA,OAAA5L,EAAAoI,EAAAwD,GAAA,IA2CA4d,GAAAxnB,UAAAgpB,IA/BA,SAAAnpB,GACA,OAAAipB,GAAAvgB,KAAAof,SAAA9nB,IAAA,GA+BA2nB,GAAAxnB,UAAAunB,IAlBA,SAAA1nB,EAAArI,GACA,IAAA4O,EAAAmC,KAAAof,SACA/d,EAAAkf,GAAA1iB,EAAAvG,GAQA,OANA+J,EAAA,KACArB,KAAAqf,KACAxhB,EAAAgC,MAAAvI,EAAArI,KAEA4O,EAAAwD,GAAA,GAAApS,EAEA+Q,MAyGAkf,GAAAznB,UAAAqnB,MAtEA,WACA9e,KAAAqf,KAAA,EACArf,KAAAof,UACAziB,KAAA,IAAAiiB,GACAtjB,IAAA,IAAAijB,GAAAU,IACA0B,OAAA,IAAA/B,KAkEAM,GAAAznB,UAAA,OArDA,SAAAH,GACA,IAAAmB,EAAAmoB,GAAA5gB,KAAA1I,GAAA,OAAAA,GAEA,OADA0I,KAAAqf,MAAA5mB,EAAA,IACAA,GAmDAymB,GAAAznB,UAAAwR,IAvCA,SAAA3R,GACA,OAAAspB,GAAA5gB,KAAA1I,GAAA2R,IAAA3R,IAuCA4nB,GAAAznB,UAAAgpB,IA3BA,SAAAnpB,GACA,OAAAspB,GAAA5gB,KAAA1I,GAAAmpB,IAAAnpB,IA2BA4nB,GAAAznB,UAAAunB,IAdA,SAAA1nB,EAAArI,GACA,IAAA4O,EAAA+iB,GAAA5gB,KAAA1I,GACA+nB,EAAAxhB,EAAAwhB,KAIA,OAFAxhB,EAAAmhB,IAAA1nB,EAAArI,GACA+Q,KAAAqf,MAAAxhB,EAAAwhB,QAAA,IACArf,MAwGAmf,GAAA1nB,UAAAqnB,MA3EA,WACA9e,KAAAof,SAAA,IAAAH,GACAjf,KAAAqf,KAAA,GA0EAF,GAAA1nB,UAAA,OA9DA,SAAAH,GACA,IAAAuG,EAAAmC,KAAAof,SACA3mB,EAAAoF,EAAA,OAAAvG,GAGA,OADA0I,KAAAqf,KAAAxhB,EAAAwhB,KACA5mB,GA0DA0mB,GAAA1nB,UAAAwR,IA9CA,SAAA3R,GACA,OAAA0I,KAAAof,SAAAnW,IAAA3R,IA8CA6nB,GAAA1nB,UAAAgpB,IAlCA,SAAAnpB,GACA,OAAA0I,KAAAof,SAAAqB,IAAAnpB,IAkCA6nB,GAAA1nB,UAAAunB,IArBA,SAAA1nB,EAAArI,GACA,IAAA4O,EAAAmC,KAAAof,SACA,GAAAvhB,aAAAohB,GAAA,CACA,IAAA4B,EAAAhjB,EAAAuhB,SACA,IAAAb,GAAAsC,EAAA1wB,OAAAuqB,EAAA,EAGA,OAFAmG,EAAAhhB,MAAAvI,EAAArI,IACA+Q,KAAAqf,OAAAxhB,EAAAwhB,KACArf,KAEAnC,EAAAmC,KAAAof,SAAA,IAAAF,GAAA2B,GAIA,OAFAhjB,EAAAmhB,IAAA1nB,EAAArI,GACA+Q,KAAAqf,KAAAxhB,EAAAwhB,KACArf,MAkIA,IAAA8gB,GAsWA,SAAAC,GACA,gBAAAtL,EAAAsK,EAAAiB,GAMA,IALA,IAAA3f,GAAA,EACA4f,EAAA7pB,OAAAqe,GACA1e,EAAAiqB,EAAAvL,GACAtlB,EAAA4G,EAAA5G,OAEAA,KAAA,CACA,IAAAmH,EAAAP,EAAAgqB,EAAA5wB,IAAAkR,GACA,QAAA0e,EAAAkB,EAAA3pB,KAAA2pB,GACA,MAGA,OAAAxL,GAnXAyL,GASA,SAAAC,GAAAlyB,GACA,aAAAA,OACAwG,IAAAxG,EAAAqsB,EAAAH,EAEA2C,QAAA1mB,OAAAnI,GA6YA,SAAAA,GACA,IAAAmyB,EAAAtpB,EAAAzF,KAAApD,EAAA6uB,GACAuD,EAAApyB,EAAA6uB,GAEA,IACA7uB,EAAA6uB,QAAAroB,EACA,IAAA6rB,GAAA,EACG,MAAAxxB,IAEH,IAAA2I,EAAAukB,EAAA3qB,KAAApD,GACAqyB,IACAF,EACAnyB,EAAA6uB,GAAAuD,SAEApyB,EAAA6uB,IAGA,OAAArlB,EA7ZA8oB,CAAAtyB,GAwhBA,SAAAA,GACA,OAAA+tB,EAAA3qB,KAAApD,GAxhBAuyB,CAAAvyB,GAUA,SAAAwyB,GAAAxyB,GACA,OAAAyyB,GAAAzyB,IAAAkyB,GAAAlyB,IAAA8rB,EAWA,SAAA4G,GAAA1yB,GACA,SAAA0vB,GAAA1vB,IAodA,SAAAgf,GACA,QAAA2O,QAAA3O,EArdA2T,CAAA3yB,MAGAiD,GAAAjD,GAAAiuB,EAAA3B,GACAhoB,KA4kBA,SAAA0a,GACA,SAAAA,EAAA,CACA,IACA,OAAA0O,EAAAtqB,KAAA4b,GACK,MAAAne,IACL,IACA,OAAAme,EAAA,GACK,MAAAne,KAEL,SArlBA+xB,CAAA5yB,IAsBA,SAAA6yB,GAAArM,GACA,IAAAkJ,GAAAlJ,GACA,OAmdA,SAAAA,GACA,IAAAhd,KACA,SAAAgd,EACA,QAAAne,KAAAF,OAAAqe,GACAhd,EAAAoH,KAAAvI,GAGA,OAAAmB,EA1dAspB,CAAAtM,GAEA,IAAAuM,EAAAC,GAAAxM,GACAhd,KAEA,QAAAnB,KAAAme,GACA,eAAAne,IAAA0qB,GAAAlqB,EAAAzF,KAAAojB,EAAAne,KACAmB,EAAAoH,KAAAvI,GAGA,OAAAmB,EAcA,SAAAypB,GAAAzM,EAAA5d,EAAAsqB,EAAAC,EAAAC,GACA5M,IAAA5d,GAGAipB,GAAAjpB,EAAA,SAAAyqB,EAAAhrB,GACA,GAAAqnB,GAAA2D,GACAD,MAAA,IAAAlD,IA+BA,SAAA1J,EAAA5d,EAAAP,EAAA6qB,EAAAI,EAAAH,EAAAC,GACA,IAAA/B,EAAAhE,EAAA7G,EAAAne,GACAgrB,EAAAhG,EAAAzkB,EAAAP,GACAkrB,EAAAH,EAAApZ,IAAAqZ,GAEA,GAAAE,EAEA,YADAtC,GAAAzK,EAAAne,EAAAkrB,GAGA,IAAAC,EAAAL,EACAA,EAAA9B,EAAAgC,EAAAhrB,EAAA,GAAAme,EAAA5d,EAAAwqB,QACA5sB,EAEAitB,OAAAjtB,IAAAgtB,EAEA,GAAAC,EAAA,CACA,IAAAlD,EAAAC,GAAA6C,GACA1C,GAAAJ,GAAAtB,GAAAoE,GACAK,GAAAnD,IAAAI,GAAAvD,GAAAiG,GAEAG,EAAAH,EACA9C,GAAAI,GAAA+C,EACAlD,GAAAa,GACAmC,EAAAnC,GAsnBA,SAAArxB,GACA,OAAAyyB,GAAAzyB,IAAA2zB,GAAA3zB,GArnBA4zB,CAAAvC,GAGAV,GACA8C,GAAA,EACAD,EAqEA,SAAAK,EAAAC,GACA,GAAAA,EACA,OAAAD,EAAA/kB,QAEA,IAAA5N,EAAA2yB,EAAA3yB,OACAsI,EAAA6kB,IAAAntB,GAAA,IAAA2yB,EAAAzZ,YAAAlZ,GAGA,OADA2yB,EAAAE,KAAAvqB,GACAA,EA7EAwqB,CAAAX,GAAA,IAEAK,GACAD,GAAA,EACAD,EAiGA,SAAAS,EAAAH,GACA,IAAAD,EAAAC,EAfA,SAAAI,GACA,IAAA1qB,EAAA,IAAA0qB,EAAA9Z,YAAA8Z,EAAAC,YAEA,OADA,IAAA/F,EAAA5kB,GAAAumB,IAAA,IAAA3B,EAAA8F,IACA1qB,EAYA4qB,CAAAH,EAAAJ,QAAAI,EAAAJ,OACA,WAAAI,EAAA7Z,YAAAyZ,EAAAI,EAAAI,WAAAJ,EAAA/yB,QAnGAozB,CAAAjB,GAAA,IAGAG,KAXAA,EAsHA,SAAA5qB,EAAA2oB,GACA,IAAAnf,GAAA,EACAlR,EAAA0H,EAAA1H,OAEAqwB,MAAA9iB,MAAAvN,IACA,OAAAkR,EAAAlR,GACAqwB,EAAAnf,GAAAxJ,EAAAwJ,GAEA,OAAAmf,EA9HAgD,CAAAlD,GA0xBA,SAAArxB,GACA,IAAAyyB,GAAAzyB,IAAAkyB,GAAAlyB,IAAAmsB,EACA,SAEA,IAAAsD,EAAAnB,EAAAtuB,GACA,UAAAyvB,EACA,SAEA,IAAA+E,EAAA3rB,EAAAzF,KAAAqsB,EAAA,gBAAAA,EAAArV,YACA,yBAAAoa,mBACA9G,EAAAtqB,KAAAoxB,IAAAxG,EAtxBAyG,CAAApB,IAAA3C,GAAA2C,IACAG,EAAAnC,EACAX,GAAAW,GACAmC,EAi0BA,SAAAxzB,GACA,OAxsBA,SAAA4I,EAAAd,EAAA0e,EAAA2M,GACA,IAAAuB,GAAAlO,EACAA,UAEA,IAAApU,GAAA,EACAlR,EAAA4G,EAAA5G,OAEA,OAAAkR,EAAAlR,GAAA,CACA,IAAAmH,EAAAP,EAAAsK,GAEAohB,EAAAL,EACAA,EAAA3M,EAAAne,GAAAO,EAAAP,KAAAme,EAAA5d,QACApC,OAEAA,IAAAgtB,IACAA,EAAA5qB,EAAAP,IAEAqsB,EACAvD,GAAA3K,EAAAne,EAAAmrB,GAEApC,GAAA5K,EAAAne,EAAAmrB,GAGA,OAAAhN,EAirBAmO,CAAA30B,EAAA40B,GAAA50B,IAl0BA60B,CAAAxD,KAEA3B,GAAA2B,IAAA6B,GAAAjwB,GAAAouB,MACAmC,EAwQA,SAAAhN,GACA,yBAAAA,EAAApM,aAAA4Y,GAAAxM,MACAgJ,EAAAlB,EAAA9H,IA1QAsO,CAAAzB,KAIAI,GAAA,EAGAA,IAEAL,EAAArD,IAAAsD,EAAAG,GACAF,EAAAE,EAAAH,EAAAH,EAAAC,EAAAC,GACAA,EAAA,OAAAC,IAEApC,GAAAzK,EAAAne,EAAAmrB,GAzFAuB,CAAAvO,EAAA5d,EAAAP,EAAA6qB,EAAAD,GAAAE,EAAAC,OAEA,CACA,IAAAI,EAAAL,EACAA,EAAA9F,EAAA7G,EAAAne,GAAAgrB,EAAAhrB,EAAA,GAAAme,EAAA5d,EAAAwqB,QACA5sB,OAEAA,IAAAgtB,IACAA,EAAAH,GAEApC,GAAAzK,EAAAne,EAAAmrB,KAEGoB,IAwFH,SAAAI,GAAAhW,EAAArZ,GACA,OAAAsvB,GA6WA,SAAAjW,EAAArZ,EAAA+O,GAEA,OADA/O,EAAAupB,OAAA1oB,IAAAb,EAAAqZ,EAAA9d,OAAA,EAAAyE,EAAA,GACA,WAMA,IALA,IAAAuvB,EAAA3uB,UACA6L,GAAA,EACAlR,EAAAguB,EAAAgG,EAAAh0B,OAAAyE,EAAA,GACA4rB,EAAA9iB,MAAAvN,KAEAkR,EAAAlR,GACAqwB,EAAAnf,GAAA8iB,EAAAvvB,EAAAyM,GAEAA,GAAA,EAEA,IADA,IAAA+iB,EAAA1mB,MAAA9I,EAAA,KACAyM,EAAAzM,GACAwvB,EAAA/iB,GAAA8iB,EAAA9iB,GAGA,OADA+iB,EAAAxvB,GAAA+O,EAAA6c,GAvwCA,SAAAvS,EAAAoW,EAAAF,GACA,OAAAA,EAAAh0B,QACA,cAAA8d,EAAA5b,KAAAgyB,GACA,cAAApW,EAAA5b,KAAAgyB,EAAAF,EAAA,IACA,cAAAlW,EAAA5b,KAAAgyB,EAAAF,EAAA,GAAAA,EAAA,IACA,cAAAlW,EAAA5b,KAAAgyB,EAAAF,EAAA,GAAAA,EAAA,GAAAA,EAAA,IAEA,OAAAlW,EAAAqW,MAAAD,EAAAF,GAiwCAG,CAAArW,EAAAjO,KAAAokB,IA9XAG,CAAAtW,EAAArZ,EAAA4vB,IAAAvW,EAAA,IAyLA,SAAA2S,GAAAtlB,EAAAhE,GACA,IAAAuG,EAAAvC,EAAA8jB,SACA,OA2GA,SAAAnwB,GACA,IAAAggB,SAAAhgB,EACA,gBAAAggB,GAAA,UAAAA,GAAA,UAAAA,GAAA,WAAAA,EACA,cAAAhgB,EACA,OAAAA,EA/GAw1B,CAAAntB,GACAuG,EAAA,iBAAAvG,EAAA,iBACAuG,EAAAvC,IAWA,SAAA0iB,GAAAvI,EAAAne,GACA,IAAArI,EAjiCA,SAAAwmB,EAAAne,GACA,aAAAme,OAAAhgB,EAAAggB,EAAAne,GAgiCAotB,CAAAjP,EAAAne,GACA,OAAAqqB,GAAA1yB,UAAAwG,EAmDA,SAAAwqB,GAAAhxB,EAAAkB,GACA,IAAA8e,SAAAhgB,EAGA,SAFAkB,EAAA,MAAAA,EAAA2qB,EAAA3qB,KAGA,UAAA8e,GACA,UAAAA,GAAAuM,EAAAjoB,KAAAtE,KACAA,GAAA,GAAAA,EAAA,MAAAA,EAAAkB,EA2DA,SAAA8xB,GAAAhzB,GACA,IAAAw0B,EAAAx0B,KAAAoa,YAGA,OAAApa,KAFA,mBAAAw0B,KAAAhsB,WAAAglB,GAyEA,IAAAyH,GAWA,SAAAjW,GACA,IAAA0W,EAAA,EACAC,EAAA,EAEA,kBACA,IAAAC,EAAAzG,IACA0G,EAAAjK,GAAAgK,EAAAD,GAGA,GADAA,EAAAC,EACAC,EAAA,GACA,KAAAH,GAAA/J,EACA,OAAAplB,UAAA,QAGAmvB,EAAA,EAEA,OAAA1W,EAAAqW,WAAA7uB,EAAAD,YA3BAuvB,CA/XA1tB,EAAA,SAAA4W,EAAA0S,GACA,OAAAtpB,EAAA4W,EAAA,YACA/W,cAAA,EACAD,YAAA,EACAhI,MA22BA,SAAAA,GACA,kBACA,OAAAA,GA72BA+1B,CAAArE,GACAxpB,UAAA,KALAqtB,IAidA,SAAArE,GAAAlxB,EAAAg2B,GACA,OAAAh2B,IAAAg2B,GAAAh2B,MAAAg2B,KAqBA,IAAAtF,GAAA8B,GAAA,WAA8C,OAAAjsB,UAA9C,IAAkEisB,GAAA,SAAAxyB,GAClE,OAAAyyB,GAAAzyB,IAAA6I,EAAAzF,KAAApD,EAAA,YACA4uB,EAAAxrB,KAAApD,EAAA,WA0BAwwB,GAAA/hB,MAAA+hB,QA2BA,SAAAmD,GAAA3zB,GACA,aAAAA,GAAAi2B,GAAAj2B,EAAAkB,UAAA+B,GAAAjD,GAiDA,IAAAivB,GAAAD,GAsUA,WACA,UApTA,SAAA/rB,GAAAjD,GACA,IAAA0vB,GAAA1vB,GACA,SAIA,IAAAoyB,EAAAF,GAAAlyB,GACA,OAAAoyB,GAAApG,GAAAoG,GAAAnG,GAAAmG,GAAArG,GAAAqG,GAAAhG,EA6BA,SAAA6J,GAAAj2B,GACA,uBAAAA,GACAA,GAAA,GAAAA,EAAA,MAAAA,GAAA6rB,EA4BA,SAAA6D,GAAA1vB,GACA,IAAAggB,SAAAhgB,EACA,aAAAA,IAAA,UAAAggB,GAAA,YAAAA,GA2BA,SAAAyS,GAAAzyB,GACA,aAAAA,GAAA,iBAAAA,EA6DA,IAAAotB,GAAAD,EAjnDA,SAAAnO,GACA,gBAAAhf,GACA,OAAAgf,EAAAhf,IA+mDAk2B,CAAA/I,GA75BA,SAAAntB,GACA,OAAAyyB,GAAAzyB,IACAi2B,GAAAj2B,EAAAkB,WAAAsrB,EAAA0F,GAAAlyB,KAg9BA,SAAA40B,GAAApO,GACA,OAAAmN,GAAAnN,GAAA6J,GAAA7J,GAAA,GAAAqM,GAAArM,GAkCA,IAAA2P,GApuBA,SAAAC,GACA,OAAApB,GAAA,SAAAxO,EAAA6P,GACA,IAAAjkB,GAAA,EACAlR,EAAAm1B,EAAAn1B,OACAiyB,EAAAjyB,EAAA,EAAAm1B,EAAAn1B,EAAA,QAAAsF,EACA8vB,EAAAp1B,EAAA,EAAAm1B,EAAA,QAAA7vB,EAWA,IATA2sB,EAAAiD,EAAAl1B,OAAA,sBAAAiyB,GACAjyB,IAAAiyB,QACA3sB,EAEA8vB,GAuIA,SAAAt2B,EAAAoS,EAAAoU,GACA,IAAAkJ,GAAAlJ,GACA,SAEA,IAAAxG,SAAA5N,EACA,mBAAA4N,EACA2T,GAAAnN,IAAAwK,GAAA5e,EAAAoU,EAAAtlB,QACA,UAAA8e,GAAA5N,KAAAoU,IAEA0K,GAAA1K,EAAApU,GAAApS,GAhJAu2B,CAAAF,EAAA,GAAAA,EAAA,GAAAC,KACAnD,EAAAjyB,EAAA,OAAAsF,EAAA2sB,EACAjyB,EAAA,GAEAslB,EAAAre,OAAAqe,KACApU,EAAAlR,GAAA,CACA,IAAA0H,EAAAytB,EAAAjkB,GACAxJ,GACAwtB,EAAA5P,EAAA5d,EAAAwJ,EAAA+gB,GAGA,OAAA3M,IA8sBAgQ,CAAA,SAAAhQ,EAAA5d,EAAAsqB,GACAD,GAAAzM,EAAA5d,EAAAsqB,KA4CA,SAAAqC,GAAAv1B,GACA,OAAAA,EAoBAQ,EAAAC,QAAA01B,KAoBA,IAIAM,IACA9P,QAtBA,SAAAA,EAAAC,GACA,IAAAxW,EAAA7J,UAAArF,OAAA,QAAAsF,IAAAD,UAAA,GAAAA,UAAA,MAEA,IAAAogB,EAAA+P,UAAA,CACA/P,EAAA+P,WAAA,EAEA,IAAAC,KACApL,GAAAoL,EAAA9V,GAAAzQ,GAEAqmB,GAAArmB,QAAAumB,EACAnb,GAAApL,QAAAumB,EAEA/P,EAAApL,UAAA,UAAAA,IACAoL,EAAApL,UAAA,gBAAA8I,IACAsC,EAAAC,UAAA,YAAAQ,MAUAjY,cACA,OAAAjC,GAAAiC,SAGAA,YAAApP,GACAmN,GAAAiC,QAAApP,IAKA42B,GAAA,KACA,oBAAAz0B,OACAy0B,GAAAz0B,OAAAykB,SACC,IAAA3kB,IACD20B,GAAA30B,EAAA2kB,KAEAgQ,IACAA,GAAA5P,IAAAyP,IAIeI,EAAA;;;;;;ACxvMiDr2B,EAAAC,QAAyK,SAAAq2B,GAAmB,SAAAj2B,EAAAuQ,GAAc,GAAA7P,EAAA6P,GAAA,OAAA7P,EAAA6P,GAAA3Q,QAA4B,IAAAiM,EAAAnL,EAAA6P,IAAY7P,EAAA6P,EAAA2lB,GAAA,EAAAt2B,YAAqB,OAAAq2B,EAAA1lB,GAAAhO,KAAAsJ,EAAAjM,QAAAiM,IAAAjM,QAAAI,GAAA6L,EAAAqqB,GAAA,EAAArqB,EAAAjM,QAA2D,IAAAc,KAAS,OAAAV,EAAAm2B,EAAAF,EAAAj2B,EAAAo2B,EAAA11B,EAAAV,EAAAq2B,EAAA,SAAAJ,EAAAv1B,EAAA6P,GAAuCvQ,EAAAs2B,EAAAL,EAAAv1B,IAAA4G,OAAAC,eAAA0uB,EAAAv1B,GAAqC0G,cAAA,EAAAD,YAAA,EAAAgS,IAAA5I,KAAsCvQ,EAAAuQ,EAAA,SAAA0lB,GAAiB,IAAAv1B,EAAAu1B,KAAAM,WAAA,WAAiC,OAAAN,EAAAjO,SAAiB,WAAY,OAAAiO,GAAU,OAAAj2B,EAAAq2B,EAAA31B,EAAA,IAAAA,MAAsBV,EAAAs2B,EAAA,SAAAL,EAAAj2B,GAAmB,OAAAsH,OAAAK,UAAAK,eAAAzF,KAAA0zB,EAAAj2B,IAAiDA,EAAAw2B,EAAA,IAAAx2B,IAAAy2B,EAAA,GAAvc,EAAyd,SAAAR,EAAAj2B,GAAgB,SAAAU,EAAAu1B,EAAAj2B,GAAgB,IAAAU,EAAAu1B,EAAA,OAAApqB,EAAAoqB,EAAA,GAAsB,IAAApqB,EAAA,OAAAnL,EAAe,GAAAV,GAAA,mBAAA02B,KAAA,CAA+B,IAAAC,EAAiJ,SAAAV,GAAc,yEAAgES,KAAAE,SAAAC,mBAAAC,KAAAC,UAAAd,MAAA,MAA/N1lB,CAAA1E,GAAW,OAAAnL,GAAA8Q,OAAA3F,EAAA2pB,QAAAhqB,IAAA,SAAAyqB,GAA2C,uBAAApqB,EAAAmrB,WAAAf,EAAA,SAA4CzkB,QAAAmlB,IAAA7d,KAAA,MAA0B,OAAApY,GAAAoY,KAAA,MAAwKmd,EAAAr2B,QAAA,SAAAq2B,GAAsB,IAAAj2B,KAAS,OAAAA,EAAAsC,SAAA,WAA6B,OAAA4N,KAAA1E,IAAA,SAAAxL,GAA4B,IAAAuQ,EAAA7P,EAAAV,EAAAi2B,GAAa,OAAAj2B,EAAA,aAAAA,EAAA,OAA6BuQ,EAAA,IAAMA,IAAIuI,KAAA,KAAW9Y,EAAAU,EAAA,SAAAu1B,EAAAv1B,GAAmB,iBAAAu1B,QAAA,KAAAA,EAAA,MAAsC,QAAA1lB,KAAY1E,EAAA,EAAKA,EAAAqE,KAAA7P,OAAcwL,IAAA,CAAK,IAAA8qB,EAAAzmB,KAAArE,GAAA,GAAiB,iBAAA8qB,IAAApmB,EAAAomB,IAAA,GAA8B,IAAA9qB,EAAA,EAAQA,EAAAoqB,EAAA51B,OAAWwL,IAAA,CAAK,IAAAyqB,EAAAL,EAAApqB,GAAW,iBAAAyqB,EAAA,IAAA/lB,EAAA+lB,EAAA,MAAA51B,IAAA41B,EAAA,GAAAA,EAAA,GAAA51B,MAAA41B,EAAA,OAAAA,EAAA,aAAA51B,EAAA,KAAAV,EAAA+P,KAAAumB,MAAgGt2B,IAAI,SAAAi2B,EAAAj2B,EAAAU,GAAiB,SAAA6P,EAAA0lB,GAAc,QAAAj2B,EAAA,EAAYA,EAAAi2B,EAAA51B,OAAWL,IAAA,CAAK,IAAAU,EAAAu1B,EAAAj2B,GAAAuQ,EAAA8lB,EAAA31B,EAAAob,IAAqB,GAAAvL,EAAA,CAAMA,EAAA0mB,OAAS,QAAAprB,EAAA,EAAYA,EAAA0E,EAAA2mB,MAAA72B,OAAiBwL,IAAA0E,EAAA2mB,MAAArrB,GAAAnL,EAAAw2B,MAAArrB,IAA2B,KAAKA,EAAAnL,EAAAw2B,MAAA72B,OAAiBwL,IAAA0E,EAAA2mB,MAAAnnB,KAAA4mB,EAAAj2B,EAAAw2B,MAAArrB,KAAgC0E,EAAA2mB,MAAA72B,OAAAK,EAAAw2B,MAAA72B,SAAAkQ,EAAA2mB,MAAA72B,OAAAK,EAAAw2B,MAAA72B,YAA+D,CAAK,QAAAi2B,KAAAzqB,EAAA,EAAiBA,EAAAnL,EAAAw2B,MAAA72B,OAAiBwL,IAAAyqB,EAAAvmB,KAAA4mB,EAAAj2B,EAAAw2B,MAAArrB,KAA0BwqB,EAAA31B,EAAAob,KAASA,GAAApb,EAAAob,GAAAmb,KAAA,EAAAC,MAAAZ,KAA0B,SAAAzqB,IAAa,IAAAoqB,EAAAl1B,SAAA2a,cAAA,SAAsC,OAAAua,EAAA9W,KAAA,WAAAgY,EAAAxa,YAAAsZ,KAA4C,SAAAU,EAAAV,GAAc,IAAAj2B,EAAAU,EAAA6P,EAAAxP,SAAA0T,cAAA,2BAAAwhB,EAAAna,GAAA,MAAuE,GAAAvL,EAAA,CAAM,GAAA6mB,EAAA,OAAAjB,EAAc5lB,EAAAvN,WAAAiV,YAAA1H,GAA4B,GAAA8mB,EAAA,CAAM,IAAAV,EAAAW,IAAU/mB,EAAAimB,MAAA3qB,KAAA7L,EAAAs2B,EAAAz2B,KAAA,KAAA0Q,EAAAomB,GAAA,GAAAj2B,EAAA41B,EAAAz2B,KAAA,KAAA0Q,EAAAomB,GAAA,QAAyDpmB,EAAA1E,IAAA7L,EAA6Y,SAAAi2B,EAAAj2B,GAAgB,IAAAU,EAAAV,EAAA4C,IAAA2N,EAAAvQ,EAAAu3B,MAAA1rB,EAAA7L,EAAAw3B,UAAoC,GAAAjnB,GAAA0lB,EAAA5e,aAAA,QAAA9G,GAAA1E,IAAAnL,GAAA,mBAAAmL,EAAA2pB,QAAA,SAAA90B,GAAA,uDAA8Hg2B,KAAAE,SAAAC,mBAAAC,KAAAC,UAAAlrB,MAAA,OAAAoqB,EAAAwB,WAAAxB,EAAAwB,WAAAC,QAAAh3B,MAA0G,CAAK,KAAKu1B,EAAAvZ,YAAauZ,EAAAhe,YAAAge,EAAAvZ,YAA6BuZ,EAAAtZ,YAAA5b,SAAA42B,eAAAj3B,MAA7tBb,KAAA,KAAA0Q,GAAA7P,EAAA,WAAyC6P,EAAAvN,WAAAiV,YAAA1H,IAA6B,OAAAvQ,EAAAi2B,GAAA,SAAA1lB,GAAwB,GAAAA,EAAA,CAAM,GAAAA,EAAA3N,MAAAqzB,EAAArzB,KAAA2N,EAAAgnB,QAAAtB,EAAAsB,OAAAhnB,EAAAinB,YAAAvB,EAAAuB,UAAA,OAAsEx3B,EAAAi2B,EAAA1lB,QAAO7P,KAAU,SAAA41B,EAAAL,EAAAj2B,EAAAU,EAAA6P,GAAoB,IAAA1E,EAAAnL,EAAA,GAAA6P,EAAA3N,IAAiB,GAAAqzB,EAAAwB,WAAAxB,EAAAwB,WAAAC,QAAA5rB,EAAA9L,EAAA6L,OAA4C,CAAK,IAAA8qB,EAAA51B,SAAA42B,eAAA9rB,GAAAyqB,EAAAL,EAAApa,WAAgDya,EAAAt2B,IAAAi2B,EAAAhe,YAAAqe,EAAAt2B,IAAAs2B,EAAAj2B,OAAA41B,EAAA2B,aAAAjB,EAAAL,EAAAt2B,IAAAi2B,EAAAtZ,YAAAga,IAAuc,IAAAT,EAAA,oBAAAn1B,SAAmC,uBAAA82B,eAAA3B,EAAA,UAAA4B,MAAA,2JAAmN,IAAA1B,EAAA11B,EAAA,GAAA21B,KAAec,EAAAjB,IAAAn1B,SAAAg3B,MAAAh3B,SAAAi3B,qBAAA,YAAAxB,EAAA,KAAAc,EAAA,EAAAF,GAAA,EAAAjB,EAAA,aAA8FkB,EAAA,oBAAA51B,WAAA,eAAAgC,KAAAhC,UAAAC,UAAAiT,eAAyFshB,EAAAr2B,QAAA,SAAAq2B,EAAAj2B,EAAAU,GAA0B02B,EAAA12B,EAAI,IAAAmL,EAAAuqB,EAAAH,EAAAj2B,GAAa,OAAAuQ,EAAA1E,GAAA,SAAA7L,GAAwB,QAAAU,KAAAi2B,EAAA,EAAiBA,EAAA9qB,EAAAxL,OAAWs2B,IAAA,CAAK,IAAAL,EAAAzqB,EAAA8qB,GAAAF,EAAAJ,EAAAC,EAAAxa,IAAqB2a,EAAAQ,OAAAv2B,EAAAqP,KAAA0mB,GAAmBz2B,EAAAuQ,EAAA1E,EAAAuqB,EAAAH,EAAAj2B,IAAA6L,KAAuB,QAAA8qB,EAAA,EAAYA,EAAAj2B,EAAAL,OAAWs2B,IAAA,CAAK,IAAAF,EAAA/1B,EAAAi2B,GAAW,OAAAF,EAAAQ,KAAA,CAAe,QAAAf,EAAA,EAAYA,EAAAO,EAAAS,MAAA72B,OAAiB61B,IAAAO,EAAAS,MAAAhB,YAAiBG,EAAAI,EAAA3a,QAAmB,IAAAhQ,EAAA,WAAiB,IAAAmqB,KAAS,gBAAAj2B,EAAAU,GAAqB,OAAAu1B,EAAAj2B,GAAAU,EAAAu1B,EAAAjqB,OAAA+b,SAAAjP,KAAA,OAA/C,IAA8F,SAAAmd,EAAAj2B,GAAei2B,EAAAr2B,QAAA,SAAAq2B,EAAAj2B,EAAAU,EAAA6P,EAAA1E,GAA8B,IAAA8qB,EAAAL,EAAAL,QAAeQ,SAAAR,EAAAjO,QAAoB,WAAAyO,GAAA,aAAAA,IAAAE,EAAAV,EAAAK,EAAAL,EAAAjO,SAAgD,IAAoHoO,EAApHF,EAAA,mBAAAI,IAAA/mB,QAAA+mB,EAA0H,GAAnFt2B,IAAAk2B,EAAA7R,OAAArkB,EAAAqkB,OAAA6R,EAAArR,gBAAA7kB,EAAA6kB,iBAAAtU,IAAA2lB,EAAApR,SAAAvU,GAAmF1E,GAAAuqB,EAAA,SAAAH,IAAoBA,KAAA/lB,KAAA+nB,QAAA/nB,KAAA+nB,OAAAC,YAAAhoB,KAAA7G,QAAA6G,KAAA7G,OAAA4uB,QAAA/nB,KAAA7G,OAAA4uB,OAAAC,aAAA,oBAAAC,sBAAAlC,EAAAkC,qBAAAz3B,KAAA6B,KAAA2N,KAAA+lB,QAAAmC,uBAAAnC,EAAAmC,sBAAAC,IAAAxsB,IAA0PqqB,EAAAoC,aAAAlC,GAAA11B,IAAA01B,EAAA11B,GAAA01B,EAAA,CAA+B,IAAAC,EAAAH,EAAAqC,WAAApB,EAAAd,EAAAH,EAAA7R,OAAA6R,EAAAsC,aAA+CnC,EAAAH,EAAA7R,OAAA,SAAA4R,EAAAj2B,GAAyB,OAAAo2B,EAAA7zB,KAAAvC,GAAAm3B,EAAAlB,EAAAj2B,IAAwBk2B,EAAAsC,aAAArB,KAAA3lB,OAAA2lB,EAAAf,OAAqC,OAAOqC,SAAA9B,EAAA/2B,QAAA02B,EAAA/mB,QAAA2mB,KAAiC,SAAAD,EAAAj2B,EAAAU,GAAiB,aAAa4G,OAAAC,eAAAvH,EAAA,cAAsCb,OAAA,IAAW,IAAAoR,EAAA7P,EAAA,GAAWV,EAAAgoB,QAAAzX,EAAA1E,EAAA,oBAAAvK,eAAAykB,KAAAzkB,OAAAykB,IAAAC,UAAA,mBAAAzV,EAAA1E,IAAmG,SAAAoqB,EAAAj2B,EAAAU,GAAiB,aAAgC,IAAAmL,EAAAnL,EAAA,GAAAi2B,EAAAj2B,EAAA,IAAA41B,EAAA51B,EAAA,GAAA+1B,EAAnB,SAAAR,GAAcv1B,EAAA,IAAKw1B,EAAAI,EAAAzqB,IAAA8qB,EAAA9qB,EAAA4qB,EAAA,wBAAoEz2B,EAAA6L,EAAAqqB,EAAAt2B,SAAc,SAAAq2B,EAAAj2B,EAAAU,GAAiB,IAAA6P,EAAA7P,EAAA,GAAW,iBAAA6P,QAAA0lB,EAAAv1B,EAAA6P,EAAA,MAAAA,EAAAmoB,SAAAzC,EAAAr2B,QAAA2Q,EAAAmoB,QAAoEh4B,EAAA,EAAAA,CAAA,WAAA6P,GAAA,IAAsB,SAAA0lB,EAAAj2B,EAAAU,IAAiBu1B,EAAAr2B,QAAAc,EAAA,EAAAA,MAAA,IAAAqP,MAAAkmB,EAAAv1B,EAAA,4VAA+X,MAAO,SAAAu1B,EAAAj2B,GAAei2B,EAAAr2B,QAAA,SAAAq2B,EAAAj2B,GAAwB,QAAAU,KAAA6P,KAAiB1E,EAAA,EAAKA,EAAA7L,EAAAK,OAAWwL,IAAA,CAAK,IAAA8qB,EAAA32B,EAAA6L,GAAAyqB,EAAAK,EAAA,GAAAF,EAAAE,EAAA,GAAAT,EAAAS,EAAA,GAAAP,EAAAO,EAAA,GAAAN,GAA0Cva,GAAAma,EAAA,IAAApqB,EAAAjJ,IAAA6zB,EAAAc,MAAArB,EAAAsB,UAAApB,GAAsC7lB,EAAA+lB,GAAA/lB,EAAA+lB,GAAAY,MAAAnnB,KAAAsmB,GAAA31B,EAAAqP,KAAAQ,EAAA+lB,IAAqCxa,GAAAwa,EAAAY,OAAAb,KAAiB,OAAA31B,IAAU,SAAAu1B,EAAAj2B,EAAAU,GAAiB,aAAa,IAAA6P,EAAA7P,EAAA,GAAAmL,GAAc8sB,eAAA,8iBAAsjB,yGAAA7f,KAAA,MAAA8f,eAAA,uHAAgQjC,GAAIkC,eAAA,+pBAAA/f,KAAA,OAAyrBwd,EAAA,WAAc,IAAAL,GAAA,EAAS,IAAI,IAAAj2B,EAAAsH,OAAAC,kBAA8B,WAAY4R,IAAA,WAAe8c,GAAGxmB,SAAA,MAAenO,OAAAN,iBAAA,cAAAhB,KAAAsB,OAAAw3B,OAAA,cAAA94B,KAA4E,MAAAi2B,IAAU,OAAAA,EAA5L,GAAwMj2B,EAAA6L,GAAK8C,KAAA,kBAAAZ,KAAA,WAAuC,OAAOrE,aAAA,KAAAqvB,cAAA,KAAAC,WAAA,EAAAC,YAAA,EAAAC,aAAA,EAAAC,YAAA,EAAAC,cAAA,GAAAC,qBAAA,EAAAC,kBAAA,KAAAC,oBAAA,IAAmL1R,YAAa2R,QAAAjpB,EAAA1E,GAAYwc,UAAWoR,aAAaC,OAAA,EAAAvgB,IAAA,WAAwB,IAAA8c,EAAA/lB,KAAAypB,OAAA,cAAA35B,EAAAi2B,KAAA,GAAA2D,KAAA,KAAA3D,EAAA,GAAA2D,IAAAC,YAAyE,OAAA3pB,KAAA8oB,WAAA9oB,KAAA+oB,YAAA/oB,KAAAgpB,cAAAl5B,IAA8D85B,UAAWJ,OAAA,EAAAvgB,IAAA,WAAwB,IAAA8c,EAAA/lB,KAAAypB,OAAA,WAAA35B,EAAAi2B,KAAA,GAAA2D,KAAA,KAAA3D,EAAA,GAAA2D,IAAAC,YAAsE,OAAA3pB,KAAA8oB,WAAA9oB,KAAA+oB,aAAA/oB,KAAAgpB,cAAAl5B,KAAgEiH,OAAQ8yB,UAAU5a,KAAAgJ,OAAAH,QAAA,KAAwBgS,WAAAjO,SAAAkO,QAAA/R,OAAAgS,WAA+C/a,KAAA+I,OAAAF,QAAA,UAA6BmS,wBAAA,MAA8B1U,QAAA,WAAoB,IAAAwQ,EAAA/lB,KAAWA,KAAAxG,aAAAwG,KAAAhN,kBAAAgN,KAAA6oB,cAAA,SAAA9C,GAAwE,IAAAj2B,EAAAkQ,KAAWA,KAAA8oB,YAAA/C,KAAA1c,cAAA6gB,MAAAlqB,KAAAipB,aAAAjpB,KAAAipB,YAAA,EAAAh3B,WAAA,WAAqGnC,EAAAq6B,cAAAr6B,EAAAm5B,YAAA,GAAgCjpB,KAAAkpB,gBAAAlpB,KAAAmqB,gBAA0Cx6B,KAAAqQ,MAAA/N,WAAA+N,KAAA6oB,cAAA,GAAA7oB,KAAAxG,aAAA1I,iBAAA,SAAAkP,KAAA6oB,cAAAzC,GAAApmB,KAAAoqB,IAAA,mCAAAt6B,GAA8Ji2B,EAAAiD,aAAA,EAAAjD,EAAA+C,WAAA/C,EAAAvQ,UAAAuQ,EAAAoE,YAAAx6B,KAAA,UAAAG,KAAAO,SAAA01B,GAAA72B,QAAAC,KAAAwM,EAAA8sB,iBAAsHzoB,KAAAoqB,IAAA,qCAAAt6B,GAAmDi2B,EAAA+C,WAAA,EAAA/C,EAAAgD,YAAA,EAAAhD,EAAAvQ,UAAA,WAAsDuQ,EAAAsE,iBAAiBtE,EAAAvsB,aAAAvI,oBAAA,SAAA80B,EAAA8C,cAAAzC,GAAAt2B,KAAAO,SAAA01B,GAAA72B,QAAAC,KAAAwM,EAAA8sB,iBAAgHzoB,KAAAoqB,IAAA,oCAA+CrE,EAAA+C,WAAA,EAAA/C,EAAAgD,YAAA,EAAAhD,EAAAiD,aAAA,EAAAjD,EAAAkD,YAAA,EAAAlD,EAAAvsB,aAAA1I,iBAAA,SAAAi1B,EAAA8C,cAAAzC,GAAAn0B,WAAA8zB,EAAA8C,cAAA,KAA0J7oB,KAAA8pB,YAAA56B,QAAAC,KAAAwM,EAAA+sB,gBAAA1oB,KAAAsqB,cAAqEC,OAAA,WAAkBxE,EAAAhR,MAAA,2BAAmC1kB,OAAA01B,KAAWyE,SAAA,WAAqBzE,EAAAhR,MAAA,6BAAqC1kB,OAAA01B,KAAW0E,MAAA,WAAkB1E,EAAAhR,MAAA,0BAAkC1kB,OAAA01B,MAAY/lB,KAAA0qB,OAAA,qCAAkD3E,EAAAvsB,aAAAusB,EAAA/yB,qBAAqC23B,YAAA,WAAwB3qB,KAAA8oB,WAAA,EAAA9oB,KAAAxG,aAAAvI,oBAAA,SAAA+O,KAAA6oB,cAAAzC,IAAuFwE,UAAA,WAAsB5qB,KAAAxG,aAAA1I,iBAAA,SAAAkP,KAAA6oB,cAAAzC,IAAkEvR,SAAUsV,YAAA,SAAApE,GAAwB,IAAAj2B,EAAAkQ,KAAAxP,EAAAwP,KAAA6qB,sBAAuC7qB,KAAA+oB,YAAAv4B,GAAAwP,KAAA6pB,UAAA7pB,KAAAoV,IAAAtc,YAAAkH,KAAAoV,IAAApc,aAAA,GAAAgH,KAAA8oB,WAAA,qBAAA9oB,KAAA8pB,WAAA9pB,KAAA8pB,WAAAz3B,KAAA,KAAA2N,KAAAsqB,cAAAtqB,KAAA+U,MAAA,WAAA/U,KAAAsqB,eAAAvE,GAAA/lB,KAAAiqB,yBAAAjqB,KAAAmpB,sBAAAnpB,KAAAqpB,qBAAA,EAAAtc,aAAA/M,KAAAopB,mBAAAppB,KAAAopB,kBAAAn3B,WAAA,WAAwYnC,EAAAq5B,qBAAA,GAAyB,KAAAnpB,KAAAqpB,oBAAA,KAAAn6B,QAAA47B,MAAArE,EAAAkC,eAAA3oB,KAAAmpB,qBAAA,KAAAnpB,KAAA8oB,WAAA,GAAoH+B,mBAAA,WAAkT,MAAtQ,QAAA7qB,KAAAgqB,UAAA1pB,MAAAN,KAAAxG,aAAAjB,WAAAyH,KAAAxG,aAAAuxB,YAAA/qB,KAAAxG,aAAAjB,UAA8HyH,KAAAoV,IAAA/c,wBAAAD,KAAA4H,KAAAxG,eAAApI,cAAAuJ,YAAAqF,KAAAxG,aAAAnB,wBAAAF,SAAiJnF,gBAAA,WAA4B,IAAA+yB,EAAAvwB,UAAArF,OAAA,YAAAqF,UAAA,GAAAA,UAAA,GAAAwK,KAAAoV,IAAAtlB,OAAA,EAA+E,eAAAi2B,EAAAiF,QAAAl7B,EAAAsB,QAAA4O,KAAAiqB,0BAAA,iBAAAx4B,QAAAkB,iBAAAozB,GAAAzyB,YAAA,EAAAxD,EAAAi2B,KAAAkF,aAAA,qBAAAlF,EAAAkF,aAAA,4BAAAn7B,EAAAi2B,GAAAj2B,GAAAkQ,KAAAhN,gBAAA+yB,EAAAjzB,cAA6Po4B,UAAA,WAAsBlrB,KAAA+oB,YAAA/oB,KAAAxG,aAAAvI,oBAAA,SAAA+O,KAAA6oB,cAAAzC,MAAwF,SAAAL,EAAAj2B,EAAAU,GAAiB,aAAiC,IAAAmL,EAAAnL,EAAA,IAAAi2B,EAAAj2B,EAAA,IAAA41B,EAAA51B,EAAA,GAAA+1B,EAApB,SAAAR,GAAcv1B,EAAA,KAAMw1B,EAAAI,EAAAzqB,IAAA8qB,EAAA9qB,EAAA4qB,EAAA,wBAAqEz2B,EAAA6L,EAAAqqB,EAAAt2B,SAAc,SAAAq2B,EAAAj2B,EAAAU,GAAiB,IAAA6P,EAAA7P,EAAA,IAAY,iBAAA6P,QAAA0lB,EAAAv1B,EAAA6P,EAAA,MAAAA,EAAAmoB,SAAAzC,EAAAr2B,QAAA2Q,EAAAmoB,QAAoEh4B,EAAA,EAAAA,CAAA,WAAA6P,GAAA,IAAsB,SAAA0lB,EAAAj2B,EAAAU,IAAiBu1B,EAAAr2B,QAAAc,EAAA,EAAAA,MAAA,IAAAqP,MAAAkmB,EAAAv1B,EAAA,+9MAAkgN,MAAO,SAAAu1B,EAAAj2B,EAAAU,GAAiB,aAAa,IAAA6P,GAAO8qB,SAAShX,OAAA,SAAA4R,GAAmB,OAAAA,EAAA,QAAiBtR,OAAO+B,MAAA,oBAAyB9Y,MAAA4mB,MAAA5mB,YAAA,IAAApC,IAAA,WAA4C,OAAAyqB,EAAA,QAAiBtR,OAAO+B,MAAA,sBAA2B4U,SAAUjX,OAAA,SAAA4R,GAAmB,OAAAA,EAAA,QAAiBtR,OAAO+B,MAAA,oBAAyB9Y,MAAA4mB,MAAA5mB,YAAA,IAAApC,IAAA,WAA4C,OAAAyqB,EAAA,QAAiBtR,OAAO+B,MAAA,sBAA2B6U,SAAUlX,OAAA,SAAA4R,GAAmB,OAAAA,EAAA,KAActR,OAAO+B,MAAA,uBAA4B8U,QAASnX,OAAA,SAAA4R,GAAmB,OAAAA,EAAA,KAActR,OAAO+B,MAAA,sBAA2B+U,UAAWpX,OAAA,SAAA4R,GAAmB,OAAAA,EAAA,QAAiBtR,OAAO+B,MAAA,sBAA2B9Y,MAAA4mB,MAAA5mB,YAAA,IAAApC,IAAA,WAA4C,OAAAyqB,EAAA,QAAiBtR,OAAO+B,MAAA,qBAA2B1mB,EAAA6L,GAAK8C,KAAA,UAAA0Z,UAAyBqT,YAAA,WAAuB,OAAAnrB,GAAAL,KAAA+pB,SAAA,IAAAjrB,gBAAAuB,EAAAgrB,UAAuDt0B,OAAQgzB,QAAA/R,UAAiB,SAAA+N,EAAAj2B,EAAAU,GAAiB,aAAa,IAAsGi2B,GAAStS,OAA/G,WAAiB,IAAA4R,EAAA/lB,KAAAlQ,EAAAi2B,EAAA1R,eAA8B,OAAA0R,EAAAzR,MAAAC,IAAAzkB,GAAAi2B,EAAAyF,aAAqCnK,IAAA,eAA2B1M,oBAA4B7kB,EAAA6L,EAAA8qB,GAAM,SAAAV,EAAAj2B,EAAAU,GAAiB,aAAa,IAAwpBi2B,GAAStS,OAAjqB,WAAiB,IAAA4R,EAAA/lB,KAAAlQ,EAAAi2B,EAAA1R,eAAA7jB,EAAAu1B,EAAAzR,MAAAC,IAAAzkB,EAA8C,OAAAU,EAAA,OAAgBgkB,YAAA,+BAAyChkB,EAAA,OAAWi7B,aAAahtB,KAAA,OAAAitB,QAAA,SAAAz8B,MAAA82B,EAAA+C,UAAA15B,WAAA,gBAAwE22B,EAAAjP,GAAA,WAAAtmB,EAAA,WAA+BikB,OAAOsV,QAAAhE,EAAAgE,cAAmB,GAAAhE,EAAAhP,GAAA,KAAAvmB,EAAA,OAA2Bi7B,aAAahtB,KAAA,OAAAitB,QAAA,SAAAz8B,MAAA82B,EAAAwD,YAAAn6B,WAAA,gBAA0EolB,YAAA,2BAAuCuR,EAAAjP,GAAA,cAAAiP,EAAAhP,GAAA,uBAAAgP,EAAAhP,GAAA,KAAAvmB,EAAA,OAAoEi7B,aAAahtB,KAAA,OAAAitB,QAAA,SAAAz8B,MAAA82B,EAAA6D,SAAAx6B,WAAA,aAAoEolB,YAAA,2BAAuCuR,EAAAjP,GAAA,WAAAiP,EAAAhP,GAAA,4BAA2DpC,oBAA4B7kB,EAAA6L,EAAA8qB","file":"6.js","sourcesContent":["function validate(binding) {\r\n if (typeof binding.value !== 'function') {\r\n console.warn('[Vue-click-outside:] provided expression', binding.expression, 'is not a function.')\r\n return false\r\n }\r\n\r\n return true\r\n}\r\n\r\nfunction isPopup(popupItem, elements) {\r\n if (!popupItem || !elements)\r\n return false\r\n\r\n for (var i = 0, len = elements.length; i < len; i++) {\r\n try {\r\n if (popupItem.contains(elements[i])) {\r\n return true\r\n }\r\n if (elements[i].contains(popupItem)) {\r\n return false\r\n }\r\n } catch(e) {\r\n return false\r\n }\r\n }\r\n\r\n return false\r\n}\r\n\r\nfunction isServer(vNode) {\r\n return typeof vNode.componentInstance !== 'undefined' && vNode.componentInstance.$isServer\r\n}\r\n\r\nexports = module.exports = {\r\n bind: function (el, binding, vNode) {\r\n if (!validate(binding)) return\r\n\r\n // Define Handler and cache it on the element\r\n function handler(e) {\r\n if (!vNode.context) return\r\n\r\n // some components may have related popup item, on which we shall prevent the click outside event handler.\r\n var elements = e.path || (e.composedPath && e.composedPath())\r\n elements && elements.length > 0 && elements.unshift(e.target)\r\n \r\n if (el.contains(e.target) || isPopup(vNode.context.popupItem, elements)) return\r\n\r\n el.__vueClickOutside__.callback(e)\r\n }\r\n\r\n // add Event Listeners\r\n el.__vueClickOutside__ = {\r\n handler: handler,\r\n callback: binding.value\r\n }\r\n !isServer(vNode) && document.addEventListener('click', handler)\r\n },\r\n\r\n update: function (el, binding) {\r\n if (validate(binding)) el.__vueClickOutside__.callback = binding.value\r\n },\r\n \r\n unbind: function (el, binding, vNode) {\r\n // Remove Event Listeners\r\n !isServer(vNode) && document.removeEventListener('click', el.__vueClickOutside__.handler)\r\n delete el.__vueClickOutside__\r\n }\r\n}\r\n","/**!\n * @fileOverview Kickass library to create and place poppers near their reference elements.\n * @version 1.14.3\n * @license\n * Copyright (c) 2016 Federico Zivolo and contributors\n *\n * Permission is hereby granted, free of charge, to any person obtaining a copy\n * of this software and associated documentation files (the \"Software\"), to deal\n * in the Software without restriction, including without limitation the rights\n * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell\n * copies of the Software, and to permit persons to whom the Software is\n * furnished to do so, subject to the following conditions:\n *\n * The above copyright notice and this permission notice shall be included in all\n * copies or substantial portions of the Software.\n *\n * THE SOFTWARE IS PROVIDED \"AS IS\", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR\n * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,\n * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE\n * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER\n * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,\n * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE\n * SOFTWARE.\n */\nvar isBrowser = typeof window !== 'undefined' && typeof document !== 'undefined';\n\nvar longerTimeoutBrowsers = ['Edge', 'Trident', 'Firefox'];\nvar timeoutDuration = 0;\nfor (var i = 0; i < longerTimeoutBrowsers.length; i += 1) {\n if (isBrowser && navigator.userAgent.indexOf(longerTimeoutBrowsers[i]) >= 0) {\n timeoutDuration = 1;\n break;\n }\n}\n\nfunction microtaskDebounce(fn) {\n var called = false;\n return function () {\n if (called) {\n return;\n }\n called = true;\n window.Promise.resolve().then(function () {\n called = false;\n fn();\n });\n };\n}\n\nfunction taskDebounce(fn) {\n var scheduled = false;\n return function () {\n if (!scheduled) {\n scheduled = true;\n setTimeout(function () {\n scheduled = false;\n fn();\n }, timeoutDuration);\n }\n };\n}\n\nvar supportsMicroTasks = isBrowser && window.Promise;\n\n/**\n* Create a debounced version of a method, that's asynchronously deferred\n* but called in the minimum time possible.\n*\n* @method\n* @memberof Popper.Utils\n* @argument {Function} fn\n* @returns {Function}\n*/\nvar debounce = supportsMicroTasks ? microtaskDebounce : taskDebounce;\n\n/**\n * Check if the given variable is a function\n * @method\n * @memberof Popper.Utils\n * @argument {Any} functionToCheck - variable to check\n * @returns {Boolean} answer to: is a function?\n */\nfunction isFunction(functionToCheck) {\n var getType = {};\n return functionToCheck && getType.toString.call(functionToCheck) === '[object Function]';\n}\n\n/**\n * Get CSS computed property of the given element\n * @method\n * @memberof Popper.Utils\n * @argument {Eement} element\n * @argument {String} property\n */\nfunction getStyleComputedProperty(element, property) {\n if (element.nodeType !== 1) {\n return [];\n }\n // NOTE: 1 DOM access here\n var css = getComputedStyle(element, null);\n return property ? css[property] : css;\n}\n\n/**\n * Returns the parentNode or the host of the element\n * @method\n * @memberof Popper.Utils\n * @argument {Element} element\n * @returns {Element} parent\n */\nfunction getParentNode(element) {\n if (element.nodeName === 'HTML') {\n return element;\n }\n return element.parentNode || element.host;\n}\n\n/**\n * Returns the scrolling parent of the given element\n * @method\n * @memberof Popper.Utils\n * @argument {Element} element\n * @returns {Element} scroll parent\n */\nfunction getScrollParent(element) {\n // Return body, `getScroll` will take care to get the correct `scrollTop` from it\n if (!element) {\n return document.body;\n }\n\n switch (element.nodeName) {\n case 'HTML':\n case 'BODY':\n return element.ownerDocument.body;\n case '#document':\n return element.body;\n }\n\n // Firefox want us to check `-x` and `-y` variations as well\n\n var _getStyleComputedProp = getStyleComputedProperty(element),\n overflow = _getStyleComputedProp.overflow,\n overflowX = _getStyleComputedProp.overflowX,\n overflowY = _getStyleComputedProp.overflowY;\n\n if (/(auto|scroll|overlay)/.test(overflow + overflowY + overflowX)) {\n return element;\n }\n\n return getScrollParent(getParentNode(element));\n}\n\nvar isIE11 = isBrowser && !!(window.MSInputMethodContext && document.documentMode);\nvar isIE10 = isBrowser && /MSIE 10/.test(navigator.userAgent);\n\n/**\n * Determines if the browser is Internet Explorer\n * @method\n * @memberof Popper.Utils\n * @param {Number} version to check\n * @returns {Boolean} isIE\n */\nfunction isIE(version) {\n if (version === 11) {\n return isIE11;\n }\n if (version === 10) {\n return isIE10;\n }\n return isIE11 || isIE10;\n}\n\n/**\n * Returns the offset parent of the given element\n * @method\n * @memberof Popper.Utils\n * @argument {Element} element\n * @returns {Element} offset parent\n */\nfunction getOffsetParent(element) {\n if (!element) {\n return document.documentElement;\n }\n\n var noOffsetParent = isIE(10) ? document.body : null;\n\n // NOTE: 1 DOM access here\n var offsetParent = element.offsetParent;\n // Skip hidden elements which don't have an offsetParent\n while (offsetParent === noOffsetParent && element.nextElementSibling) {\n offsetParent = (element = element.nextElementSibling).offsetParent;\n }\n\n var nodeName = offsetParent && offsetParent.nodeName;\n\n if (!nodeName || nodeName === 'BODY' || nodeName === 'HTML') {\n return element ? element.ownerDocument.documentElement : document.documentElement;\n }\n\n // .offsetParent will return the closest TD or TABLE in case\n // no offsetParent is present, I hate this job...\n if (['TD', 'TABLE'].indexOf(offsetParent.nodeName) !== -1 && getStyleComputedProperty(offsetParent, 'position') === 'static') {\n return getOffsetParent(offsetParent);\n }\n\n return offsetParent;\n}\n\nfunction isOffsetContainer(element) {\n var nodeName = element.nodeName;\n\n if (nodeName === 'BODY') {\n return false;\n }\n return nodeName === 'HTML' || getOffsetParent(element.firstElementChild) === element;\n}\n\n/**\n * Finds the root node (document, shadowDOM root) of the given element\n * @method\n * @memberof Popper.Utils\n * @argument {Element} node\n * @returns {Element} root node\n */\nfunction getRoot(node) {\n if (node.parentNode !== null) {\n return getRoot(node.parentNode);\n }\n\n return node;\n}\n\n/**\n * Finds the offset parent common to the two provided nodes\n * @method\n * @memberof Popper.Utils\n * @argument {Element} element1\n * @argument {Element} element2\n * @returns {Element} common offset parent\n */\nfunction findCommonOffsetParent(element1, element2) {\n // This check is needed to avoid errors in case one of the elements isn't defined for any reason\n if (!element1 || !element1.nodeType || !element2 || !element2.nodeType) {\n return document.documentElement;\n }\n\n // Here we make sure to give as \"start\" the element that comes first in the DOM\n var order = element1.compareDocumentPosition(element2) & Node.DOCUMENT_POSITION_FOLLOWING;\n var start = order ? element1 : element2;\n var end = order ? element2 : element1;\n\n // Get common ancestor container\n var range = document.createRange();\n range.setStart(start, 0);\n range.setEnd(end, 0);\n var commonAncestorContainer = range.commonAncestorContainer;\n\n // Both nodes are inside #document\n\n if (element1 !== commonAncestorContainer && element2 !== commonAncestorContainer || start.contains(end)) {\n if (isOffsetContainer(commonAncestorContainer)) {\n return commonAncestorContainer;\n }\n\n return getOffsetParent(commonAncestorContainer);\n }\n\n // one of the nodes is inside shadowDOM, find which one\n var element1root = getRoot(element1);\n if (element1root.host) {\n return findCommonOffsetParent(element1root.host, element2);\n } else {\n return findCommonOffsetParent(element1, getRoot(element2).host);\n }\n}\n\n/**\n * Gets the scroll value of the given element in the given side (top and left)\n * @method\n * @memberof Popper.Utils\n * @argument {Element} element\n * @argument {String} side `top` or `left`\n * @returns {number} amount of scrolled pixels\n */\nfunction getScroll(element) {\n var side = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : 'top';\n\n var upperSide = side === 'top' ? 'scrollTop' : 'scrollLeft';\n var nodeName = element.nodeName;\n\n if (nodeName === 'BODY' || nodeName === 'HTML') {\n var html = element.ownerDocument.documentElement;\n var scrollingElement = element.ownerDocument.scrollingElement || html;\n return scrollingElement[upperSide];\n }\n\n return element[upperSide];\n}\n\n/*\n * Sum or subtract the element scroll values (left and top) from a given rect object\n * @method\n * @memberof Popper.Utils\n * @param {Object} rect - Rect object you want to change\n * @param {HTMLElement} element - The element from the function reads the scroll values\n * @param {Boolean} subtract - set to true if you want to subtract the scroll values\n * @return {Object} rect - The modifier rect object\n */\nfunction includeScroll(rect, element) {\n var subtract = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : false;\n\n var scrollTop = getScroll(element, 'top');\n var scrollLeft = getScroll(element, 'left');\n var modifier = subtract ? -1 : 1;\n rect.top += scrollTop * modifier;\n rect.bottom += scrollTop * modifier;\n rect.left += scrollLeft * modifier;\n rect.right += scrollLeft * modifier;\n return rect;\n}\n\n/*\n * Helper to detect borders of a given element\n * @method\n * @memberof Popper.Utils\n * @param {CSSStyleDeclaration} styles\n * Result of `getStyleComputedProperty` on the given element\n * @param {String} axis - `x` or `y`\n * @return {number} borders - The borders size of the given axis\n */\n\nfunction getBordersSize(styles, axis) {\n var sideA = axis === 'x' ? 'Left' : 'Top';\n var sideB = sideA === 'Left' ? 'Right' : 'Bottom';\n\n return parseFloat(styles['border' + sideA + 'Width'], 10) + parseFloat(styles['border' + sideB + 'Width'], 10);\n}\n\nfunction getSize(axis, body, html, computedStyle) {\n return Math.max(body['offset' + axis], body['scroll' + axis], html['client' + axis], html['offset' + axis], html['scroll' + axis], isIE(10) ? html['offset' + axis] + computedStyle['margin' + (axis === 'Height' ? 'Top' : 'Left')] + computedStyle['margin' + (axis === 'Height' ? 'Bottom' : 'Right')] : 0);\n}\n\nfunction getWindowSizes() {\n var body = document.body;\n var html = document.documentElement;\n var computedStyle = isIE(10) && getComputedStyle(html);\n\n return {\n height: getSize('Height', body, html, computedStyle),\n width: getSize('Width', body, html, computedStyle)\n };\n}\n\nvar classCallCheck = function (instance, Constructor) {\n if (!(instance instanceof Constructor)) {\n throw new TypeError(\"Cannot call a class as a function\");\n }\n};\n\nvar createClass = function () {\n function defineProperties(target, props) {\n for (var i = 0; i < props.length; i++) {\n var descriptor = props[i];\n descriptor.enumerable = descriptor.enumerable || false;\n descriptor.configurable = true;\n if (\"value\" in descriptor) descriptor.writable = true;\n Object.defineProperty(target, descriptor.key, descriptor);\n }\n }\n\n return function (Constructor, protoProps, staticProps) {\n if (protoProps) defineProperties(Constructor.prototype, protoProps);\n if (staticProps) defineProperties(Constructor, staticProps);\n return Constructor;\n };\n}();\n\n\n\n\n\nvar defineProperty = function (obj, key, value) {\n if (key in obj) {\n Object.defineProperty(obj, key, {\n value: value,\n enumerable: true,\n configurable: true,\n writable: true\n });\n } else {\n obj[key] = value;\n }\n\n return obj;\n};\n\nvar _extends = Object.assign || function (target) {\n for (var i = 1; i < arguments.length; i++) {\n var source = arguments[i];\n\n for (var key in source) {\n if (Object.prototype.hasOwnProperty.call(source, key)) {\n target[key] = source[key];\n }\n }\n }\n\n return target;\n};\n\n/**\n * Given element offsets, generate an output similar to getBoundingClientRect\n * @method\n * @memberof Popper.Utils\n * @argument {Object} offsets\n * @returns {Object} ClientRect like output\n */\nfunction getClientRect(offsets) {\n return _extends({}, offsets, {\n right: offsets.left + offsets.width,\n bottom: offsets.top + offsets.height\n });\n}\n\n/**\n * Get bounding client rect of given element\n * @method\n * @memberof Popper.Utils\n * @param {HTMLElement} element\n * @return {Object} client rect\n */\nfunction getBoundingClientRect(element) {\n var rect = {};\n\n // IE10 10 FIX: Please, don't ask, the element isn't\n // considered in DOM in some circumstances...\n // This isn't reproducible in IE10 compatibility mode of IE11\n try {\n if (isIE(10)) {\n rect = element.getBoundingClientRect();\n var scrollTop = getScroll(element, 'top');\n var scrollLeft = getScroll(element, 'left');\n rect.top += scrollTop;\n rect.left += scrollLeft;\n rect.bottom += scrollTop;\n rect.right += scrollLeft;\n } else {\n rect = element.getBoundingClientRect();\n }\n } catch (e) {}\n\n var result = {\n left: rect.left,\n top: rect.top,\n width: rect.right - rect.left,\n height: rect.bottom - rect.top\n };\n\n // subtract scrollbar size from sizes\n var sizes = element.nodeName === 'HTML' ? getWindowSizes() : {};\n var width = sizes.width || element.clientWidth || result.right - result.left;\n var height = sizes.height || element.clientHeight || result.bottom - result.top;\n\n var horizScrollbar = element.offsetWidth - width;\n var vertScrollbar = element.offsetHeight - height;\n\n // if an hypothetical scrollbar is detected, we must be sure it's not a `border`\n // we make this check conditional for performance reasons\n if (horizScrollbar || vertScrollbar) {\n var styles = getStyleComputedProperty(element);\n horizScrollbar -= getBordersSize(styles, 'x');\n vertScrollbar -= getBordersSize(styles, 'y');\n\n result.width -= horizScrollbar;\n result.height -= vertScrollbar;\n }\n\n return getClientRect(result);\n}\n\nfunction getOffsetRectRelativeToArbitraryNode(children, parent) {\n var fixedPosition = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : false;\n\n var isIE10 = isIE(10);\n var isHTML = parent.nodeName === 'HTML';\n var childrenRect = getBoundingClientRect(children);\n var parentRect = getBoundingClientRect(parent);\n var scrollParent = getScrollParent(children);\n\n var styles = getStyleComputedProperty(parent);\n var borderTopWidth = parseFloat(styles.borderTopWidth, 10);\n var borderLeftWidth = parseFloat(styles.borderLeftWidth, 10);\n\n // In cases where the parent is fixed, we must ignore negative scroll in offset calc\n if (fixedPosition && parent.nodeName === 'HTML') {\n parentRect.top = Math.max(parentRect.top, 0);\n parentRect.left = Math.max(parentRect.left, 0);\n }\n var offsets = getClientRect({\n top: childrenRect.top - parentRect.top - borderTopWidth,\n left: childrenRect.left - parentRect.left - borderLeftWidth,\n width: childrenRect.width,\n height: childrenRect.height\n });\n offsets.marginTop = 0;\n offsets.marginLeft = 0;\n\n // Subtract margins of documentElement in case it's being used as parent\n // we do this only on HTML because it's the only element that behaves\n // differently when margins are applied to it. The margins are included in\n // the box of the documentElement, in the other cases not.\n if (!isIE10 && isHTML) {\n var marginTop = parseFloat(styles.marginTop, 10);\n var marginLeft = parseFloat(styles.marginLeft, 10);\n\n offsets.top -= borderTopWidth - marginTop;\n offsets.bottom -= borderTopWidth - marginTop;\n offsets.left -= borderLeftWidth - marginLeft;\n offsets.right -= borderLeftWidth - marginLeft;\n\n // Attach marginTop and marginLeft because in some circumstances we may need them\n offsets.marginTop = marginTop;\n offsets.marginLeft = marginLeft;\n }\n\n if (isIE10 && !fixedPosition ? parent.contains(scrollParent) : parent === scrollParent && scrollParent.nodeName !== 'BODY') {\n offsets = includeScroll(offsets, parent);\n }\n\n return offsets;\n}\n\nfunction getViewportOffsetRectRelativeToArtbitraryNode(element) {\n var excludeScroll = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : false;\n\n var html = element.ownerDocument.documentElement;\n var relativeOffset = getOffsetRectRelativeToArbitraryNode(element, html);\n var width = Math.max(html.clientWidth, window.innerWidth || 0);\n var height = Math.max(html.clientHeight, window.innerHeight || 0);\n\n var scrollTop = !excludeScroll ? getScroll(html) : 0;\n var scrollLeft = !excludeScroll ? getScroll(html, 'left') : 0;\n\n var offset = {\n top: scrollTop - relativeOffset.top + relativeOffset.marginTop,\n left: scrollLeft - relativeOffset.left + relativeOffset.marginLeft,\n width: width,\n height: height\n };\n\n return getClientRect(offset);\n}\n\n/**\n * Check if the given element is fixed or is inside a fixed parent\n * @method\n * @memberof Popper.Utils\n * @argument {Element} element\n * @argument {Element} customContainer\n * @returns {Boolean} answer to \"isFixed?\"\n */\nfunction isFixed(element) {\n var nodeName = element.nodeName;\n if (nodeName === 'BODY' || nodeName === 'HTML') {\n return false;\n }\n if (getStyleComputedProperty(element, 'position') === 'fixed') {\n return true;\n }\n return isFixed(getParentNode(element));\n}\n\n/**\n * Finds the first parent of an element that has a transformed property defined\n * @method\n * @memberof Popper.Utils\n * @argument {Element} element\n * @returns {Element} first transformed parent or documentElement\n */\n\nfunction getFixedPositionOffsetParent(element) {\n // This check is needed to avoid errors in case one of the elements isn't defined for any reason\n if (!element || !element.parentElement || isIE()) {\n return document.documentElement;\n }\n var el = element.parentElement;\n while (el && getStyleComputedProperty(el, 'transform') === 'none') {\n el = el.parentElement;\n }\n return el || document.documentElement;\n}\n\n/**\n * Computed the boundaries limits and return them\n * @method\n * @memberof Popper.Utils\n * @param {HTMLElement} popper\n * @param {HTMLElement} reference\n * @param {number} padding\n * @param {HTMLElement} boundariesElement - Element used to define the boundaries\n * @param {Boolean} fixedPosition - Is in fixed position mode\n * @returns {Object} Coordinates of the boundaries\n */\nfunction getBoundaries(popper, reference, padding, boundariesElement) {\n var fixedPosition = arguments.length > 4 && arguments[4] !== undefined ? arguments[4] : false;\n\n // NOTE: 1 DOM access here\n\n var boundaries = { top: 0, left: 0 };\n var offsetParent = fixedPosition ? getFixedPositionOffsetParent(popper) : findCommonOffsetParent(popper, reference);\n\n // Handle viewport case\n if (boundariesElement === 'viewport') {\n boundaries = getViewportOffsetRectRelativeToArtbitraryNode(offsetParent, fixedPosition);\n } else {\n // Handle other cases based on DOM element used as boundaries\n var boundariesNode = void 0;\n if (boundariesElement === 'scrollParent') {\n boundariesNode = getScrollParent(getParentNode(reference));\n if (boundariesNode.nodeName === 'BODY') {\n boundariesNode = popper.ownerDocument.documentElement;\n }\n } else if (boundariesElement === 'window') {\n boundariesNode = popper.ownerDocument.documentElement;\n } else {\n boundariesNode = boundariesElement;\n }\n\n var offsets = getOffsetRectRelativeToArbitraryNode(boundariesNode, offsetParent, fixedPosition);\n\n // In case of HTML, we need a different computation\n if (boundariesNode.nodeName === 'HTML' && !isFixed(offsetParent)) {\n var _getWindowSizes = getWindowSizes(),\n height = _getWindowSizes.height,\n width = _getWindowSizes.width;\n\n boundaries.top += offsets.top - offsets.marginTop;\n boundaries.bottom = height + offsets.top;\n boundaries.left += offsets.left - offsets.marginLeft;\n boundaries.right = width + offsets.left;\n } else {\n // for all the other DOM elements, this one is good\n boundaries = offsets;\n }\n }\n\n // Add paddings\n boundaries.left += padding;\n boundaries.top += padding;\n boundaries.right -= padding;\n boundaries.bottom -= padding;\n\n return boundaries;\n}\n\nfunction getArea(_ref) {\n var width = _ref.width,\n height = _ref.height;\n\n return width * height;\n}\n\n/**\n * Utility used to transform the `auto` placement to the placement with more\n * available space.\n * @method\n * @memberof Popper.Utils\n * @argument {Object} data - The data object generated by update method\n * @argument {Object} options - Modifiers configuration and options\n * @returns {Object} The data object, properly modified\n */\nfunction computeAutoPlacement(placement, refRect, popper, reference, boundariesElement) {\n var padding = arguments.length > 5 && arguments[5] !== undefined ? arguments[5] : 0;\n\n if (placement.indexOf('auto') === -1) {\n return placement;\n }\n\n var boundaries = getBoundaries(popper, reference, padding, boundariesElement);\n\n var rects = {\n top: {\n width: boundaries.width,\n height: refRect.top - boundaries.top\n },\n right: {\n width: boundaries.right - refRect.right,\n height: boundaries.height\n },\n bottom: {\n width: boundaries.width,\n height: boundaries.bottom - refRect.bottom\n },\n left: {\n width: refRect.left - boundaries.left,\n height: boundaries.height\n }\n };\n\n var sortedAreas = Object.keys(rects).map(function (key) {\n return _extends({\n key: key\n }, rects[key], {\n area: getArea(rects[key])\n });\n }).sort(function (a, b) {\n return b.area - a.area;\n });\n\n var filteredAreas = sortedAreas.filter(function (_ref2) {\n var width = _ref2.width,\n height = _ref2.height;\n return width >= popper.clientWidth && height >= popper.clientHeight;\n });\n\n var computedPlacement = filteredAreas.length > 0 ? filteredAreas[0].key : sortedAreas[0].key;\n\n var variation = placement.split('-')[1];\n\n return computedPlacement + (variation ? '-' + variation : '');\n}\n\n/**\n * Get offsets to the reference element\n * @method\n * @memberof Popper.Utils\n * @param {Object} state\n * @param {Element} popper - the popper element\n * @param {Element} reference - the reference element (the popper will be relative to this)\n * @param {Element} fixedPosition - is in fixed position mode\n * @returns {Object} An object containing the offsets which will be applied to the popper\n */\nfunction getReferenceOffsets(state, popper, reference) {\n var fixedPosition = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : null;\n\n var commonOffsetParent = fixedPosition ? getFixedPositionOffsetParent(popper) : findCommonOffsetParent(popper, reference);\n return getOffsetRectRelativeToArbitraryNode(reference, commonOffsetParent, fixedPosition);\n}\n\n/**\n * Get the outer sizes of the given element (offset size + margins)\n * @method\n * @memberof Popper.Utils\n * @argument {Element} element\n * @returns {Object} object containing width and height properties\n */\nfunction getOuterSizes(element) {\n var styles = getComputedStyle(element);\n var x = parseFloat(styles.marginTop) + parseFloat(styles.marginBottom);\n var y = parseFloat(styles.marginLeft) + parseFloat(styles.marginRight);\n var result = {\n width: element.offsetWidth + y,\n height: element.offsetHeight + x\n };\n return result;\n}\n\n/**\n * Get the opposite placement of the given one\n * @method\n * @memberof Popper.Utils\n * @argument {String} placement\n * @returns {String} flipped placement\n */\nfunction getOppositePlacement(placement) {\n var hash = { left: 'right', right: 'left', bottom: 'top', top: 'bottom' };\n return placement.replace(/left|right|bottom|top/g, function (matched) {\n return hash[matched];\n });\n}\n\n/**\n * Get offsets to the popper\n * @method\n * @memberof Popper.Utils\n * @param {Object} position - CSS position the Popper will get applied\n * @param {HTMLElement} popper - the popper element\n * @param {Object} referenceOffsets - the reference offsets (the popper will be relative to this)\n * @param {String} placement - one of the valid placement options\n * @returns {Object} popperOffsets - An object containing the offsets which will be applied to the popper\n */\nfunction getPopperOffsets(popper, referenceOffsets, placement) {\n placement = placement.split('-')[0];\n\n // Get popper node sizes\n var popperRect = getOuterSizes(popper);\n\n // Add position, width and height to our offsets object\n var popperOffsets = {\n width: popperRect.width,\n height: popperRect.height\n };\n\n // depending by the popper placement we have to compute its offsets slightly differently\n var isHoriz = ['right', 'left'].indexOf(placement) !== -1;\n var mainSide = isHoriz ? 'top' : 'left';\n var secondarySide = isHoriz ? 'left' : 'top';\n var measurement = isHoriz ? 'height' : 'width';\n var secondaryMeasurement = !isHoriz ? 'height' : 'width';\n\n popperOffsets[mainSide] = referenceOffsets[mainSide] + referenceOffsets[measurement] / 2 - popperRect[measurement] / 2;\n if (placement === secondarySide) {\n popperOffsets[secondarySide] = referenceOffsets[secondarySide] - popperRect[secondaryMeasurement];\n } else {\n popperOffsets[secondarySide] = referenceOffsets[getOppositePlacement(secondarySide)];\n }\n\n return popperOffsets;\n}\n\n/**\n * Mimics the `find` method of Array\n * @method\n * @memberof Popper.Utils\n * @argument {Array} arr\n * @argument prop\n * @argument value\n * @returns index or -1\n */\nfunction find(arr, check) {\n // use native find if supported\n if (Array.prototype.find) {\n return arr.find(check);\n }\n\n // use `filter` to obtain the same behavior of `find`\n return arr.filter(check)[0];\n}\n\n/**\n * Return the index of the matching object\n * @method\n * @memberof Popper.Utils\n * @argument {Array} arr\n * @argument prop\n * @argument value\n * @returns index or -1\n */\nfunction findIndex(arr, prop, value) {\n // use native findIndex if supported\n if (Array.prototype.findIndex) {\n return arr.findIndex(function (cur) {\n return cur[prop] === value;\n });\n }\n\n // use `find` + `indexOf` if `findIndex` isn't supported\n var match = find(arr, function (obj) {\n return obj[prop] === value;\n });\n return arr.indexOf(match);\n}\n\n/**\n * Loop trough the list of modifiers and run them in order,\n * each of them will then edit the data object.\n * @method\n * @memberof Popper.Utils\n * @param {dataObject} data\n * @param {Array} modifiers\n * @param {String} ends - Optional modifier name used as stopper\n * @returns {dataObject}\n */\nfunction runModifiers(modifiers, data, ends) {\n var modifiersToRun = ends === undefined ? modifiers : modifiers.slice(0, findIndex(modifiers, 'name', ends));\n\n modifiersToRun.forEach(function (modifier) {\n if (modifier['function']) {\n // eslint-disable-line dot-notation\n console.warn('`modifier.function` is deprecated, use `modifier.fn`!');\n }\n var fn = modifier['function'] || modifier.fn; // eslint-disable-line dot-notation\n if (modifier.enabled && isFunction(fn)) {\n // Add properties to offsets to make them a complete clientRect object\n // we do this before each modifier to make sure the previous one doesn't\n // mess with these values\n data.offsets.popper = getClientRect(data.offsets.popper);\n data.offsets.reference = getClientRect(data.offsets.reference);\n\n data = fn(data, modifier);\n }\n });\n\n return data;\n}\n\n/**\n * Updates the position of the popper, computing the new offsets and applying\n * the new style.
\n * Prefer `scheduleUpdate` over `update` because of performance reasons.\n * @method\n * @memberof Popper\n */\nfunction update() {\n // if popper is destroyed, don't perform any further update\n if (this.state.isDestroyed) {\n return;\n }\n\n var data = {\n instance: this,\n styles: {},\n arrowStyles: {},\n attributes: {},\n flipped: false,\n offsets: {}\n };\n\n // compute reference element offsets\n data.offsets.reference = getReferenceOffsets(this.state, this.popper, this.reference, this.options.positionFixed);\n\n // compute auto placement, store placement inside the data object,\n // modifiers will be able to edit `placement` if needed\n // and refer to originalPlacement to know the original value\n data.placement = computeAutoPlacement(this.options.placement, data.offsets.reference, this.popper, this.reference, this.options.modifiers.flip.boundariesElement, this.options.modifiers.flip.padding);\n\n // store the computed placement inside `originalPlacement`\n data.originalPlacement = data.placement;\n\n data.positionFixed = this.options.positionFixed;\n\n // compute the popper offsets\n data.offsets.popper = getPopperOffsets(this.popper, data.offsets.reference, data.placement);\n\n data.offsets.popper.position = this.options.positionFixed ? 'fixed' : 'absolute';\n\n // run the modifiers\n data = runModifiers(this.modifiers, data);\n\n // the first `update` will call `onCreate` callback\n // the other ones will call `onUpdate` callback\n if (!this.state.isCreated) {\n this.state.isCreated = true;\n this.options.onCreate(data);\n } else {\n this.options.onUpdate(data);\n }\n}\n\n/**\n * Helper used to know if the given modifier is enabled.\n * @method\n * @memberof Popper.Utils\n * @returns {Boolean}\n */\nfunction isModifierEnabled(modifiers, modifierName) {\n return modifiers.some(function (_ref) {\n var name = _ref.name,\n enabled = _ref.enabled;\n return enabled && name === modifierName;\n });\n}\n\n/**\n * Get the prefixed supported property name\n * @method\n * @memberof Popper.Utils\n * @argument {String} property (camelCase)\n * @returns {String} prefixed property (camelCase or PascalCase, depending on the vendor prefix)\n */\nfunction getSupportedPropertyName(property) {\n var prefixes = [false, 'ms', 'Webkit', 'Moz', 'O'];\n var upperProp = property.charAt(0).toUpperCase() + property.slice(1);\n\n for (var i = 0; i < prefixes.length; i++) {\n var prefix = prefixes[i];\n var toCheck = prefix ? '' + prefix + upperProp : property;\n if (typeof document.body.style[toCheck] !== 'undefined') {\n return toCheck;\n }\n }\n return null;\n}\n\n/**\n * Destroy the popper\n * @method\n * @memberof Popper\n */\nfunction destroy() {\n this.state.isDestroyed = true;\n\n // touch DOM only if `applyStyle` modifier is enabled\n if (isModifierEnabled(this.modifiers, 'applyStyle')) {\n this.popper.removeAttribute('x-placement');\n this.popper.style.position = '';\n this.popper.style.top = '';\n this.popper.style.left = '';\n this.popper.style.right = '';\n this.popper.style.bottom = '';\n this.popper.style.willChange = '';\n this.popper.style[getSupportedPropertyName('transform')] = '';\n }\n\n this.disableEventListeners();\n\n // remove the popper if user explicity asked for the deletion on destroy\n // do not use `remove` because IE11 doesn't support it\n if (this.options.removeOnDestroy) {\n this.popper.parentNode.removeChild(this.popper);\n }\n return this;\n}\n\n/**\n * Get the window associated with the element\n * @argument {Element} element\n * @returns {Window}\n */\nfunction getWindow(element) {\n var ownerDocument = element.ownerDocument;\n return ownerDocument ? ownerDocument.defaultView : window;\n}\n\nfunction attachToScrollParents(scrollParent, event, callback, scrollParents) {\n var isBody = scrollParent.nodeName === 'BODY';\n var target = isBody ? scrollParent.ownerDocument.defaultView : scrollParent;\n target.addEventListener(event, callback, { passive: true });\n\n if (!isBody) {\n attachToScrollParents(getScrollParent(target.parentNode), event, callback, scrollParents);\n }\n scrollParents.push(target);\n}\n\n/**\n * Setup needed event listeners used to update the popper position\n * @method\n * @memberof Popper.Utils\n * @private\n */\nfunction setupEventListeners(reference, options, state, updateBound) {\n // Resize event listener on window\n state.updateBound = updateBound;\n getWindow(reference).addEventListener('resize', state.updateBound, { passive: true });\n\n // Scroll event listener on scroll parents\n var scrollElement = getScrollParent(reference);\n attachToScrollParents(scrollElement, 'scroll', state.updateBound, state.scrollParents);\n state.scrollElement = scrollElement;\n state.eventsEnabled = true;\n\n return state;\n}\n\n/**\n * It will add resize/scroll events and start recalculating\n * position of the popper element when they are triggered.\n * @method\n * @memberof Popper\n */\nfunction enableEventListeners() {\n if (!this.state.eventsEnabled) {\n this.state = setupEventListeners(this.reference, this.options, this.state, this.scheduleUpdate);\n }\n}\n\n/**\n * Remove event listeners used to update the popper position\n * @method\n * @memberof Popper.Utils\n * @private\n */\nfunction removeEventListeners(reference, state) {\n // Remove resize event listener on window\n getWindow(reference).removeEventListener('resize', state.updateBound);\n\n // Remove scroll event listener on scroll parents\n state.scrollParents.forEach(function (target) {\n target.removeEventListener('scroll', state.updateBound);\n });\n\n // Reset state\n state.updateBound = null;\n state.scrollParents = [];\n state.scrollElement = null;\n state.eventsEnabled = false;\n return state;\n}\n\n/**\n * It will remove resize/scroll events and won't recalculate popper position\n * when they are triggered. It also won't trigger onUpdate callback anymore,\n * unless you call `update` method manually.\n * @method\n * @memberof Popper\n */\nfunction disableEventListeners() {\n if (this.state.eventsEnabled) {\n cancelAnimationFrame(this.scheduleUpdate);\n this.state = removeEventListeners(this.reference, this.state);\n }\n}\n\n/**\n * Tells if a given input is a number\n * @method\n * @memberof Popper.Utils\n * @param {*} input to check\n * @return {Boolean}\n */\nfunction isNumeric(n) {\n return n !== '' && !isNaN(parseFloat(n)) && isFinite(n);\n}\n\n/**\n * Set the style to the given popper\n * @method\n * @memberof Popper.Utils\n * @argument {Element} element - Element to apply the style to\n * @argument {Object} styles\n * Object with a list of properties and values which will be applied to the element\n */\nfunction setStyles(element, styles) {\n Object.keys(styles).forEach(function (prop) {\n var unit = '';\n // add unit if the value is numeric and is one of the following\n if (['width', 'height', 'top', 'right', 'bottom', 'left'].indexOf(prop) !== -1 && isNumeric(styles[prop])) {\n unit = 'px';\n }\n element.style[prop] = styles[prop] + unit;\n });\n}\n\n/**\n * Set the attributes to the given popper\n * @method\n * @memberof Popper.Utils\n * @argument {Element} element - Element to apply the attributes to\n * @argument {Object} styles\n * Object with a list of properties and values which will be applied to the element\n */\nfunction setAttributes(element, attributes) {\n Object.keys(attributes).forEach(function (prop) {\n var value = attributes[prop];\n if (value !== false) {\n element.setAttribute(prop, attributes[prop]);\n } else {\n element.removeAttribute(prop);\n }\n });\n}\n\n/**\n * @function\n * @memberof Modifiers\n * @argument {Object} data - The data object generated by `update` method\n * @argument {Object} data.styles - List of style properties - values to apply to popper element\n * @argument {Object} data.attributes - List of attribute properties - values to apply to popper element\n * @argument {Object} options - Modifiers configuration and options\n * @returns {Object} The same data object\n */\nfunction applyStyle(data) {\n // any property present in `data.styles` will be applied to the popper,\n // in this way we can make the 3rd party modifiers add custom styles to it\n // Be aware, modifiers could override the properties defined in the previous\n // lines of this modifier!\n setStyles(data.instance.popper, data.styles);\n\n // any property present in `data.attributes` will be applied to the popper,\n // they will be set as HTML attributes of the element\n setAttributes(data.instance.popper, data.attributes);\n\n // if arrowElement is defined and arrowStyles has some properties\n if (data.arrowElement && Object.keys(data.arrowStyles).length) {\n setStyles(data.arrowElement, data.arrowStyles);\n }\n\n return data;\n}\n\n/**\n * Set the x-placement attribute before everything else because it could be used\n * to add margins to the popper margins needs to be calculated to get the\n * correct popper offsets.\n * @method\n * @memberof Popper.modifiers\n * @param {HTMLElement} reference - The reference element used to position the popper\n * @param {HTMLElement} popper - The HTML element used as popper\n * @param {Object} options - Popper.js options\n */\nfunction applyStyleOnLoad(reference, popper, options, modifierOptions, state) {\n // compute reference element offsets\n var referenceOffsets = getReferenceOffsets(state, popper, reference, options.positionFixed);\n\n // compute auto placement, store placement inside the data object,\n // modifiers will be able to edit `placement` if needed\n // and refer to originalPlacement to know the original value\n var placement = computeAutoPlacement(options.placement, referenceOffsets, popper, reference, options.modifiers.flip.boundariesElement, options.modifiers.flip.padding);\n\n popper.setAttribute('x-placement', placement);\n\n // Apply `position` to popper before anything else because\n // without the position applied we can't guarantee correct computations\n setStyles(popper, { position: options.positionFixed ? 'fixed' : 'absolute' });\n\n return options;\n}\n\n/**\n * @function\n * @memberof Modifiers\n * @argument {Object} data - The data object generated by `update` method\n * @argument {Object} options - Modifiers configuration and options\n * @returns {Object} The data object, properly modified\n */\nfunction computeStyle(data, options) {\n var x = options.x,\n y = options.y;\n var popper = data.offsets.popper;\n\n // Remove this legacy support in Popper.js v2\n\n var legacyGpuAccelerationOption = find(data.instance.modifiers, function (modifier) {\n return modifier.name === 'applyStyle';\n }).gpuAcceleration;\n if (legacyGpuAccelerationOption !== undefined) {\n console.warn('WARNING: `gpuAcceleration` option moved to `computeStyle` modifier and will not be supported in future versions of Popper.js!');\n }\n var gpuAcceleration = legacyGpuAccelerationOption !== undefined ? legacyGpuAccelerationOption : options.gpuAcceleration;\n\n var offsetParent = getOffsetParent(data.instance.popper);\n var offsetParentRect = getBoundingClientRect(offsetParent);\n\n // Styles\n var styles = {\n position: popper.position\n };\n\n // Avoid blurry text by using full pixel integers.\n // For pixel-perfect positioning, top/bottom prefers rounded\n // values, while left/right prefers floored values.\n var offsets = {\n left: Math.floor(popper.left),\n top: Math.round(popper.top),\n bottom: Math.round(popper.bottom),\n right: Math.floor(popper.right)\n };\n\n var sideA = x === 'bottom' ? 'top' : 'bottom';\n var sideB = y === 'right' ? 'left' : 'right';\n\n // if gpuAcceleration is set to `true` and transform is supported,\n // we use `translate3d` to apply the position to the popper we\n // automatically use the supported prefixed version if needed\n var prefixedProperty = getSupportedPropertyName('transform');\n\n // now, let's make a step back and look at this code closely (wtf?)\n // If the content of the popper grows once it's been positioned, it\n // may happen that the popper gets misplaced because of the new content\n // overflowing its reference element\n // To avoid this problem, we provide two options (x and y), which allow\n // the consumer to define the offset origin.\n // If we position a popper on top of a reference element, we can set\n // `x` to `top` to make the popper grow towards its top instead of\n // its bottom.\n var left = void 0,\n top = void 0;\n if (sideA === 'bottom') {\n top = -offsetParentRect.height + offsets.bottom;\n } else {\n top = offsets.top;\n }\n if (sideB === 'right') {\n left = -offsetParentRect.width + offsets.right;\n } else {\n left = offsets.left;\n }\n if (gpuAcceleration && prefixedProperty) {\n styles[prefixedProperty] = 'translate3d(' + left + 'px, ' + top + 'px, 0)';\n styles[sideA] = 0;\n styles[sideB] = 0;\n styles.willChange = 'transform';\n } else {\n // othwerise, we use the standard `top`, `left`, `bottom` and `right` properties\n var invertTop = sideA === 'bottom' ? -1 : 1;\n var invertLeft = sideB === 'right' ? -1 : 1;\n styles[sideA] = top * invertTop;\n styles[sideB] = left * invertLeft;\n styles.willChange = sideA + ', ' + sideB;\n }\n\n // Attributes\n var attributes = {\n 'x-placement': data.placement\n };\n\n // Update `data` attributes, styles and arrowStyles\n data.attributes = _extends({}, attributes, data.attributes);\n data.styles = _extends({}, styles, data.styles);\n data.arrowStyles = _extends({}, data.offsets.arrow, data.arrowStyles);\n\n return data;\n}\n\n/**\n * Helper used to know if the given modifier depends from another one.
\n * It checks if the needed modifier is listed and enabled.\n * @method\n * @memberof Popper.Utils\n * @param {Array} modifiers - list of modifiers\n * @param {String} requestingName - name of requesting modifier\n * @param {String} requestedName - name of requested modifier\n * @returns {Boolean}\n */\nfunction isModifierRequired(modifiers, requestingName, requestedName) {\n var requesting = find(modifiers, function (_ref) {\n var name = _ref.name;\n return name === requestingName;\n });\n\n var isRequired = !!requesting && modifiers.some(function (modifier) {\n return modifier.name === requestedName && modifier.enabled && modifier.order < requesting.order;\n });\n\n if (!isRequired) {\n var _requesting = '`' + requestingName + '`';\n var requested = '`' + requestedName + '`';\n console.warn(requested + ' modifier is required by ' + _requesting + ' modifier in order to work, be sure to include it before ' + _requesting + '!');\n }\n return isRequired;\n}\n\n/**\n * @function\n * @memberof Modifiers\n * @argument {Object} data - The data object generated by update method\n * @argument {Object} options - Modifiers configuration and options\n * @returns {Object} The data object, properly modified\n */\nfunction arrow(data, options) {\n var _data$offsets$arrow;\n\n // arrow depends on keepTogether in order to work\n if (!isModifierRequired(data.instance.modifiers, 'arrow', 'keepTogether')) {\n return data;\n }\n\n var arrowElement = options.element;\n\n // if arrowElement is a string, suppose it's a CSS selector\n if (typeof arrowElement === 'string') {\n arrowElement = data.instance.popper.querySelector(arrowElement);\n\n // if arrowElement is not found, don't run the modifier\n if (!arrowElement) {\n return data;\n }\n } else {\n // if the arrowElement isn't a query selector we must check that the\n // provided DOM node is child of its popper node\n if (!data.instance.popper.contains(arrowElement)) {\n console.warn('WARNING: `arrow.element` must be child of its popper element!');\n return data;\n }\n }\n\n var placement = data.placement.split('-')[0];\n var _data$offsets = data.offsets,\n popper = _data$offsets.popper,\n reference = _data$offsets.reference;\n\n var isVertical = ['left', 'right'].indexOf(placement) !== -1;\n\n var len = isVertical ? 'height' : 'width';\n var sideCapitalized = isVertical ? 'Top' : 'Left';\n var side = sideCapitalized.toLowerCase();\n var altSide = isVertical ? 'left' : 'top';\n var opSide = isVertical ? 'bottom' : 'right';\n var arrowElementSize = getOuterSizes(arrowElement)[len];\n\n //\n // extends keepTogether behavior making sure the popper and its\n // reference have enough pixels in conjuction\n //\n\n // top/left side\n if (reference[opSide] - arrowElementSize < popper[side]) {\n data.offsets.popper[side] -= popper[side] - (reference[opSide] - arrowElementSize);\n }\n // bottom/right side\n if (reference[side] + arrowElementSize > popper[opSide]) {\n data.offsets.popper[side] += reference[side] + arrowElementSize - popper[opSide];\n }\n data.offsets.popper = getClientRect(data.offsets.popper);\n\n // compute center of the popper\n var center = reference[side] + reference[len] / 2 - arrowElementSize / 2;\n\n // Compute the sideValue using the updated popper offsets\n // take popper margin in account because we don't have this info available\n var css = getStyleComputedProperty(data.instance.popper);\n var popperMarginSide = parseFloat(css['margin' + sideCapitalized], 10);\n var popperBorderSide = parseFloat(css['border' + sideCapitalized + 'Width'], 10);\n var sideValue = center - data.offsets.popper[side] - popperMarginSide - popperBorderSide;\n\n // prevent arrowElement from being placed not contiguously to its popper\n sideValue = Math.max(Math.min(popper[len] - arrowElementSize, sideValue), 0);\n\n data.arrowElement = arrowElement;\n data.offsets.arrow = (_data$offsets$arrow = {}, defineProperty(_data$offsets$arrow, side, Math.round(sideValue)), defineProperty(_data$offsets$arrow, altSide, ''), _data$offsets$arrow);\n\n return data;\n}\n\n/**\n * Get the opposite placement variation of the given one\n * @method\n * @memberof Popper.Utils\n * @argument {String} placement variation\n * @returns {String} flipped placement variation\n */\nfunction getOppositeVariation(variation) {\n if (variation === 'end') {\n return 'start';\n } else if (variation === 'start') {\n return 'end';\n }\n return variation;\n}\n\n/**\n * List of accepted placements to use as values of the `placement` option.
\n * Valid placements are:\n * - `auto`\n * - `top`\n * - `right`\n * - `bottom`\n * - `left`\n *\n * Each placement can have a variation from this list:\n * - `-start`\n * - `-end`\n *\n * Variations are interpreted easily if you think of them as the left to right\n * written languages. Horizontally (`top` and `bottom`), `start` is left and `end`\n * is right.
\n * Vertically (`left` and `right`), `start` is top and `end` is bottom.\n *\n * Some valid examples are:\n * - `top-end` (on top of reference, right aligned)\n * - `right-start` (on right of reference, top aligned)\n * - `bottom` (on bottom, centered)\n * - `auto-right` (on the side with more space available, alignment depends by placement)\n *\n * @static\n * @type {Array}\n * @enum {String}\n * @readonly\n * @method placements\n * @memberof Popper\n */\nvar placements = ['auto-start', 'auto', 'auto-end', 'top-start', 'top', 'top-end', 'right-start', 'right', 'right-end', 'bottom-end', 'bottom', 'bottom-start', 'left-end', 'left', 'left-start'];\n\n// Get rid of `auto` `auto-start` and `auto-end`\nvar validPlacements = placements.slice(3);\n\n/**\n * Given an initial placement, returns all the subsequent placements\n * clockwise (or counter-clockwise).\n *\n * @method\n * @memberof Popper.Utils\n * @argument {String} placement - A valid placement (it accepts variations)\n * @argument {Boolean} counter - Set to true to walk the placements counterclockwise\n * @returns {Array} placements including their variations\n */\nfunction clockwise(placement) {\n var counter = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : false;\n\n var index = validPlacements.indexOf(placement);\n var arr = validPlacements.slice(index + 1).concat(validPlacements.slice(0, index));\n return counter ? arr.reverse() : arr;\n}\n\nvar BEHAVIORS = {\n FLIP: 'flip',\n CLOCKWISE: 'clockwise',\n COUNTERCLOCKWISE: 'counterclockwise'\n};\n\n/**\n * @function\n * @memberof Modifiers\n * @argument {Object} data - The data object generated by update method\n * @argument {Object} options - Modifiers configuration and options\n * @returns {Object} The data object, properly modified\n */\nfunction flip(data, options) {\n // if `inner` modifier is enabled, we can't use the `flip` modifier\n if (isModifierEnabled(data.instance.modifiers, 'inner')) {\n return data;\n }\n\n if (data.flipped && data.placement === data.originalPlacement) {\n // seems like flip is trying to loop, probably there's not enough space on any of the flippable sides\n return data;\n }\n\n var boundaries = getBoundaries(data.instance.popper, data.instance.reference, options.padding, options.boundariesElement, data.positionFixed);\n\n var placement = data.placement.split('-')[0];\n var placementOpposite = getOppositePlacement(placement);\n var variation = data.placement.split('-')[1] || '';\n\n var flipOrder = [];\n\n switch (options.behavior) {\n case BEHAVIORS.FLIP:\n flipOrder = [placement, placementOpposite];\n break;\n case BEHAVIORS.CLOCKWISE:\n flipOrder = clockwise(placement);\n break;\n case BEHAVIORS.COUNTERCLOCKWISE:\n flipOrder = clockwise(placement, true);\n break;\n default:\n flipOrder = options.behavior;\n }\n\n flipOrder.forEach(function (step, index) {\n if (placement !== step || flipOrder.length === index + 1) {\n return data;\n }\n\n placement = data.placement.split('-')[0];\n placementOpposite = getOppositePlacement(placement);\n\n var popperOffsets = data.offsets.popper;\n var refOffsets = data.offsets.reference;\n\n // using floor because the reference offsets may contain decimals we are not going to consider here\n var floor = Math.floor;\n var overlapsRef = placement === 'left' && floor(popperOffsets.right) > floor(refOffsets.left) || placement === 'right' && floor(popperOffsets.left) < floor(refOffsets.right) || placement === 'top' && floor(popperOffsets.bottom) > floor(refOffsets.top) || placement === 'bottom' && floor(popperOffsets.top) < floor(refOffsets.bottom);\n\n var overflowsLeft = floor(popperOffsets.left) < floor(boundaries.left);\n var overflowsRight = floor(popperOffsets.right) > floor(boundaries.right);\n var overflowsTop = floor(popperOffsets.top) < floor(boundaries.top);\n var overflowsBottom = floor(popperOffsets.bottom) > floor(boundaries.bottom);\n\n var overflowsBoundaries = placement === 'left' && overflowsLeft || placement === 'right' && overflowsRight || placement === 'top' && overflowsTop || placement === 'bottom' && overflowsBottom;\n\n // flip the variation if required\n var isVertical = ['top', 'bottom'].indexOf(placement) !== -1;\n var flippedVariation = !!options.flipVariations && (isVertical && variation === 'start' && overflowsLeft || isVertical && variation === 'end' && overflowsRight || !isVertical && variation === 'start' && overflowsTop || !isVertical && variation === 'end' && overflowsBottom);\n\n if (overlapsRef || overflowsBoundaries || flippedVariation) {\n // this boolean to detect any flip loop\n data.flipped = true;\n\n if (overlapsRef || overflowsBoundaries) {\n placement = flipOrder[index + 1];\n }\n\n if (flippedVariation) {\n variation = getOppositeVariation(variation);\n }\n\n data.placement = placement + (variation ? '-' + variation : '');\n\n // this object contains `position`, we want to preserve it along with\n // any additional property we may add in the future\n data.offsets.popper = _extends({}, data.offsets.popper, getPopperOffsets(data.instance.popper, data.offsets.reference, data.placement));\n\n data = runModifiers(data.instance.modifiers, data, 'flip');\n }\n });\n return data;\n}\n\n/**\n * @function\n * @memberof Modifiers\n * @argument {Object} data - The data object generated by update method\n * @argument {Object} options - Modifiers configuration and options\n * @returns {Object} The data object, properly modified\n */\nfunction keepTogether(data) {\n var _data$offsets = data.offsets,\n popper = _data$offsets.popper,\n reference = _data$offsets.reference;\n\n var placement = data.placement.split('-')[0];\n var floor = Math.floor;\n var isVertical = ['top', 'bottom'].indexOf(placement) !== -1;\n var side = isVertical ? 'right' : 'bottom';\n var opSide = isVertical ? 'left' : 'top';\n var measurement = isVertical ? 'width' : 'height';\n\n if (popper[side] < floor(reference[opSide])) {\n data.offsets.popper[opSide] = floor(reference[opSide]) - popper[measurement];\n }\n if (popper[opSide] > floor(reference[side])) {\n data.offsets.popper[opSide] = floor(reference[side]);\n }\n\n return data;\n}\n\n/**\n * Converts a string containing value + unit into a px value number\n * @function\n * @memberof {modifiers~offset}\n * @private\n * @argument {String} str - Value + unit string\n * @argument {String} measurement - `height` or `width`\n * @argument {Object} popperOffsets\n * @argument {Object} referenceOffsets\n * @returns {Number|String}\n * Value in pixels, or original string if no values were extracted\n */\nfunction toValue(str, measurement, popperOffsets, referenceOffsets) {\n // separate value from unit\n var split = str.match(/((?:\\-|\\+)?\\d*\\.?\\d*)(.*)/);\n var value = +split[1];\n var unit = split[2];\n\n // If it's not a number it's an operator, I guess\n if (!value) {\n return str;\n }\n\n if (unit.indexOf('%') === 0) {\n var element = void 0;\n switch (unit) {\n case '%p':\n element = popperOffsets;\n break;\n case '%':\n case '%r':\n default:\n element = referenceOffsets;\n }\n\n var rect = getClientRect(element);\n return rect[measurement] / 100 * value;\n } else if (unit === 'vh' || unit === 'vw') {\n // if is a vh or vw, we calculate the size based on the viewport\n var size = void 0;\n if (unit === 'vh') {\n size = Math.max(document.documentElement.clientHeight, window.innerHeight || 0);\n } else {\n size = Math.max(document.documentElement.clientWidth, window.innerWidth || 0);\n }\n return size / 100 * value;\n } else {\n // if is an explicit pixel unit, we get rid of the unit and keep the value\n // if is an implicit unit, it's px, and we return just the value\n return value;\n }\n}\n\n/**\n * Parse an `offset` string to extrapolate `x` and `y` numeric offsets.\n * @function\n * @memberof {modifiers~offset}\n * @private\n * @argument {String} offset\n * @argument {Object} popperOffsets\n * @argument {Object} referenceOffsets\n * @argument {String} basePlacement\n * @returns {Array} a two cells array with x and y offsets in numbers\n */\nfunction parseOffset(offset, popperOffsets, referenceOffsets, basePlacement) {\n var offsets = [0, 0];\n\n // Use height if placement is left or right and index is 0 otherwise use width\n // in this way the first offset will use an axis and the second one\n // will use the other one\n var useHeight = ['right', 'left'].indexOf(basePlacement) !== -1;\n\n // Split the offset string to obtain a list of values and operands\n // The regex addresses values with the plus or minus sign in front (+10, -20, etc)\n var fragments = offset.split(/(\\+|\\-)/).map(function (frag) {\n return frag.trim();\n });\n\n // Detect if the offset string contains a pair of values or a single one\n // they could be separated by comma or space\n var divider = fragments.indexOf(find(fragments, function (frag) {\n return frag.search(/,|\\s/) !== -1;\n }));\n\n if (fragments[divider] && fragments[divider].indexOf(',') === -1) {\n console.warn('Offsets separated by white space(s) are deprecated, use a comma (,) instead.');\n }\n\n // If divider is found, we divide the list of values and operands to divide\n // them by ofset X and Y.\n var splitRegex = /\\s*,\\s*|\\s+/;\n var ops = divider !== -1 ? [fragments.slice(0, divider).concat([fragments[divider].split(splitRegex)[0]]), [fragments[divider].split(splitRegex)[1]].concat(fragments.slice(divider + 1))] : [fragments];\n\n // Convert the values with units to absolute pixels to allow our computations\n ops = ops.map(function (op, index) {\n // Most of the units rely on the orientation of the popper\n var measurement = (index === 1 ? !useHeight : useHeight) ? 'height' : 'width';\n var mergeWithPrevious = false;\n return op\n // This aggregates any `+` or `-` sign that aren't considered operators\n // e.g.: 10 + +5 => [10, +, +5]\n .reduce(function (a, b) {\n if (a[a.length - 1] === '' && ['+', '-'].indexOf(b) !== -1) {\n a[a.length - 1] = b;\n mergeWithPrevious = true;\n return a;\n } else if (mergeWithPrevious) {\n a[a.length - 1] += b;\n mergeWithPrevious = false;\n return a;\n } else {\n return a.concat(b);\n }\n }, [])\n // Here we convert the string values into number values (in px)\n .map(function (str) {\n return toValue(str, measurement, popperOffsets, referenceOffsets);\n });\n });\n\n // Loop trough the offsets arrays and execute the operations\n ops.forEach(function (op, index) {\n op.forEach(function (frag, index2) {\n if (isNumeric(frag)) {\n offsets[index] += frag * (op[index2 - 1] === '-' ? -1 : 1);\n }\n });\n });\n return offsets;\n}\n\n/**\n * @function\n * @memberof Modifiers\n * @argument {Object} data - The data object generated by update method\n * @argument {Object} options - Modifiers configuration and options\n * @argument {Number|String} options.offset=0\n * The offset value as described in the modifier description\n * @returns {Object} The data object, properly modified\n */\nfunction offset(data, _ref) {\n var offset = _ref.offset;\n var placement = data.placement,\n _data$offsets = data.offsets,\n popper = _data$offsets.popper,\n reference = _data$offsets.reference;\n\n var basePlacement = placement.split('-')[0];\n\n var offsets = void 0;\n if (isNumeric(+offset)) {\n offsets = [+offset, 0];\n } else {\n offsets = parseOffset(offset, popper, reference, basePlacement);\n }\n\n if (basePlacement === 'left') {\n popper.top += offsets[0];\n popper.left -= offsets[1];\n } else if (basePlacement === 'right') {\n popper.top += offsets[0];\n popper.left += offsets[1];\n } else if (basePlacement === 'top') {\n popper.left += offsets[0];\n popper.top -= offsets[1];\n } else if (basePlacement === 'bottom') {\n popper.left += offsets[0];\n popper.top += offsets[1];\n }\n\n data.popper = popper;\n return data;\n}\n\n/**\n * @function\n * @memberof Modifiers\n * @argument {Object} data - The data object generated by `update` method\n * @argument {Object} options - Modifiers configuration and options\n * @returns {Object} The data object, properly modified\n */\nfunction preventOverflow(data, options) {\n var boundariesElement = options.boundariesElement || getOffsetParent(data.instance.popper);\n\n // If offsetParent is the reference element, we really want to\n // go one step up and use the next offsetParent as reference to\n // avoid to make this modifier completely useless and look like broken\n if (data.instance.reference === boundariesElement) {\n boundariesElement = getOffsetParent(boundariesElement);\n }\n\n // NOTE: DOM access here\n // resets the popper's position so that the document size can be calculated excluding\n // the size of the popper element itself\n var transformProp = getSupportedPropertyName('transform');\n var popperStyles = data.instance.popper.style; // assignment to help minification\n var top = popperStyles.top,\n left = popperStyles.left,\n transform = popperStyles[transformProp];\n\n popperStyles.top = '';\n popperStyles.left = '';\n popperStyles[transformProp] = '';\n\n var boundaries = getBoundaries(data.instance.popper, data.instance.reference, options.padding, boundariesElement, data.positionFixed);\n\n // NOTE: DOM access here\n // restores the original style properties after the offsets have been computed\n popperStyles.top = top;\n popperStyles.left = left;\n popperStyles[transformProp] = transform;\n\n options.boundaries = boundaries;\n\n var order = options.priority;\n var popper = data.offsets.popper;\n\n var check = {\n primary: function primary(placement) {\n var value = popper[placement];\n if (popper[placement] < boundaries[placement] && !options.escapeWithReference) {\n value = Math.max(popper[placement], boundaries[placement]);\n }\n return defineProperty({}, placement, value);\n },\n secondary: function secondary(placement) {\n var mainSide = placement === 'right' ? 'left' : 'top';\n var value = popper[mainSide];\n if (popper[placement] > boundaries[placement] && !options.escapeWithReference) {\n value = Math.min(popper[mainSide], boundaries[placement] - (placement === 'right' ? popper.width : popper.height));\n }\n return defineProperty({}, mainSide, value);\n }\n };\n\n order.forEach(function (placement) {\n var side = ['left', 'top'].indexOf(placement) !== -1 ? 'primary' : 'secondary';\n popper = _extends({}, popper, check[side](placement));\n });\n\n data.offsets.popper = popper;\n\n return data;\n}\n\n/**\n * @function\n * @memberof Modifiers\n * @argument {Object} data - The data object generated by `update` method\n * @argument {Object} options - Modifiers configuration and options\n * @returns {Object} The data object, properly modified\n */\nfunction shift(data) {\n var placement = data.placement;\n var basePlacement = placement.split('-')[0];\n var shiftvariation = placement.split('-')[1];\n\n // if shift shiftvariation is specified, run the modifier\n if (shiftvariation) {\n var _data$offsets = data.offsets,\n reference = _data$offsets.reference,\n popper = _data$offsets.popper;\n\n var isVertical = ['bottom', 'top'].indexOf(basePlacement) !== -1;\n var side = isVertical ? 'left' : 'top';\n var measurement = isVertical ? 'width' : 'height';\n\n var shiftOffsets = {\n start: defineProperty({}, side, reference[side]),\n end: defineProperty({}, side, reference[side] + reference[measurement] - popper[measurement])\n };\n\n data.offsets.popper = _extends({}, popper, shiftOffsets[shiftvariation]);\n }\n\n return data;\n}\n\n/**\n * @function\n * @memberof Modifiers\n * @argument {Object} data - The data object generated by update method\n * @argument {Object} options - Modifiers configuration and options\n * @returns {Object} The data object, properly modified\n */\nfunction hide(data) {\n if (!isModifierRequired(data.instance.modifiers, 'hide', 'preventOverflow')) {\n return data;\n }\n\n var refRect = data.offsets.reference;\n var bound = find(data.instance.modifiers, function (modifier) {\n return modifier.name === 'preventOverflow';\n }).boundaries;\n\n if (refRect.bottom < bound.top || refRect.left > bound.right || refRect.top > bound.bottom || refRect.right < bound.left) {\n // Avoid unnecessary DOM access if visibility hasn't changed\n if (data.hide === true) {\n return data;\n }\n\n data.hide = true;\n data.attributes['x-out-of-boundaries'] = '';\n } else {\n // Avoid unnecessary DOM access if visibility hasn't changed\n if (data.hide === false) {\n return data;\n }\n\n data.hide = false;\n data.attributes['x-out-of-boundaries'] = false;\n }\n\n return data;\n}\n\n/**\n * @function\n * @memberof Modifiers\n * @argument {Object} data - The data object generated by `update` method\n * @argument {Object} options - Modifiers configuration and options\n * @returns {Object} The data object, properly modified\n */\nfunction inner(data) {\n var placement = data.placement;\n var basePlacement = placement.split('-')[0];\n var _data$offsets = data.offsets,\n popper = _data$offsets.popper,\n reference = _data$offsets.reference;\n\n var isHoriz = ['left', 'right'].indexOf(basePlacement) !== -1;\n\n var subtractLength = ['top', 'left'].indexOf(basePlacement) === -1;\n\n popper[isHoriz ? 'left' : 'top'] = reference[basePlacement] - (subtractLength ? popper[isHoriz ? 'width' : 'height'] : 0);\n\n data.placement = getOppositePlacement(placement);\n data.offsets.popper = getClientRect(popper);\n\n return data;\n}\n\n/**\n * Modifier function, each modifier can have a function of this type assigned\n * to its `fn` property.
\n * These functions will be called on each update, this means that you must\n * make sure they are performant enough to avoid performance bottlenecks.\n *\n * @function ModifierFn\n * @argument {dataObject} data - The data object generated by `update` method\n * @argument {Object} options - Modifiers configuration and options\n * @returns {dataObject} The data object, properly modified\n */\n\n/**\n * Modifiers are plugins used to alter the behavior of your poppers.
\n * Popper.js uses a set of 9 modifiers to provide all the basic functionalities\n * needed by the library.\n *\n * Usually you don't want to override the `order`, `fn` and `onLoad` props.\n * All the other properties are configurations that could be tweaked.\n * @namespace modifiers\n */\nvar modifiers = {\n /**\n * Modifier used to shift the popper on the start or end of its reference\n * element.
\n * It will read the variation of the `placement` property.
\n * It can be one either `-end` or `-start`.\n * @memberof modifiers\n * @inner\n */\n shift: {\n /** @prop {number} order=100 - Index used to define the order of execution */\n order: 100,\n /** @prop {Boolean} enabled=true - Whether the modifier is enabled or not */\n enabled: true,\n /** @prop {ModifierFn} */\n fn: shift\n },\n\n /**\n * The `offset` modifier can shift your popper on both its axis.\n *\n * It accepts the following units:\n * - `px` or unitless, interpreted as pixels\n * - `%` or `%r`, percentage relative to the length of the reference element\n * - `%p`, percentage relative to the length of the popper element\n * - `vw`, CSS viewport width unit\n * - `vh`, CSS viewport height unit\n *\n * For length is intended the main axis relative to the placement of the popper.
\n * This means that if the placement is `top` or `bottom`, the length will be the\n * `width`. In case of `left` or `right`, it will be the height.\n *\n * You can provide a single value (as `Number` or `String`), or a pair of values\n * as `String` divided by a comma or one (or more) white spaces.
\n * The latter is a deprecated method because it leads to confusion and will be\n * removed in v2.
\n * Additionally, it accepts additions and subtractions between different units.\n * Note that multiplications and divisions aren't supported.\n *\n * Valid examples are:\n * ```\n * 10\n * '10%'\n * '10, 10'\n * '10%, 10'\n * '10 + 10%'\n * '10 - 5vh + 3%'\n * '-10px + 5vh, 5px - 6%'\n * ```\n * > **NB**: If you desire to apply offsets to your poppers in a way that may make them overlap\n * > with their reference element, unfortunately, you will have to disable the `flip` modifier.\n * > More on this [reading this issue](https://github.com/FezVrasta/popper.js/issues/373)\n *\n * @memberof modifiers\n * @inner\n */\n offset: {\n /** @prop {number} order=200 - Index used to define the order of execution */\n order: 200,\n /** @prop {Boolean} enabled=true - Whether the modifier is enabled or not */\n enabled: true,\n /** @prop {ModifierFn} */\n fn: offset,\n /** @prop {Number|String} offset=0\n * The offset value as described in the modifier description\n */\n offset: 0\n },\n\n /**\n * Modifier used to prevent the popper from being positioned outside the boundary.\n *\n * An scenario exists where the reference itself is not within the boundaries.
\n * We can say it has \"escaped the boundaries\" — or just \"escaped\".
\n * In this case we need to decide whether the popper should either:\n *\n * - detach from the reference and remain \"trapped\" in the boundaries, or\n * - if it should ignore the boundary and \"escape with its reference\"\n *\n * When `escapeWithReference` is set to`true` and reference is completely\n * outside its boundaries, the popper will overflow (or completely leave)\n * the boundaries in order to remain attached to the edge of the reference.\n *\n * @memberof modifiers\n * @inner\n */\n preventOverflow: {\n /** @prop {number} order=300 - Index used to define the order of execution */\n order: 300,\n /** @prop {Boolean} enabled=true - Whether the modifier is enabled or not */\n enabled: true,\n /** @prop {ModifierFn} */\n fn: preventOverflow,\n /**\n * @prop {Array} [priority=['left','right','top','bottom']]\n * Popper will try to prevent overflow following these priorities by default,\n * then, it could overflow on the left and on top of the `boundariesElement`\n */\n priority: ['left', 'right', 'top', 'bottom'],\n /**\n * @prop {number} padding=5\n * Amount of pixel used to define a minimum distance between the boundaries\n * and the popper this makes sure the popper has always a little padding\n * between the edges of its container\n */\n padding: 5,\n /**\n * @prop {String|HTMLElement} boundariesElement='scrollParent'\n * Boundaries used by the modifier, can be `scrollParent`, `window`,\n * `viewport` or any DOM element.\n */\n boundariesElement: 'scrollParent'\n },\n\n /**\n * Modifier used to make sure the reference and its popper stay near eachothers\n * without leaving any gap between the two. Expecially useful when the arrow is\n * enabled and you want to assure it to point to its reference element.\n * It cares only about the first axis, you can still have poppers with margin\n * between the popper and its reference element.\n * @memberof modifiers\n * @inner\n */\n keepTogether: {\n /** @prop {number} order=400 - Index used to define the order of execution */\n order: 400,\n /** @prop {Boolean} enabled=true - Whether the modifier is enabled or not */\n enabled: true,\n /** @prop {ModifierFn} */\n fn: keepTogether\n },\n\n /**\n * This modifier is used to move the `arrowElement` of the popper to make\n * sure it is positioned between the reference element and its popper element.\n * It will read the outer size of the `arrowElement` node to detect how many\n * pixels of conjuction are needed.\n *\n * It has no effect if no `arrowElement` is provided.\n * @memberof modifiers\n * @inner\n */\n arrow: {\n /** @prop {number} order=500 - Index used to define the order of execution */\n order: 500,\n /** @prop {Boolean} enabled=true - Whether the modifier is enabled or not */\n enabled: true,\n /** @prop {ModifierFn} */\n fn: arrow,\n /** @prop {String|HTMLElement} element='[x-arrow]' - Selector or node used as arrow */\n element: '[x-arrow]'\n },\n\n /**\n * Modifier used to flip the popper's placement when it starts to overlap its\n * reference element.\n *\n * Requires the `preventOverflow` modifier before it in order to work.\n *\n * **NOTE:** this modifier will interrupt the current update cycle and will\n * restart it if it detects the need to flip the placement.\n * @memberof modifiers\n * @inner\n */\n flip: {\n /** @prop {number} order=600 - Index used to define the order of execution */\n order: 600,\n /** @prop {Boolean} enabled=true - Whether the modifier is enabled or not */\n enabled: true,\n /** @prop {ModifierFn} */\n fn: flip,\n /**\n * @prop {String|Array} behavior='flip'\n * The behavior used to change the popper's placement. It can be one of\n * `flip`, `clockwise`, `counterclockwise` or an array with a list of valid\n * placements (with optional variations).\n */\n behavior: 'flip',\n /**\n * @prop {number} padding=5\n * The popper will flip if it hits the edges of the `boundariesElement`\n */\n padding: 5,\n /**\n * @prop {String|HTMLElement} boundariesElement='viewport'\n * The element which will define the boundaries of the popper position,\n * the popper will never be placed outside of the defined boundaries\n * (except if keepTogether is enabled)\n */\n boundariesElement: 'viewport'\n },\n\n /**\n * Modifier used to make the popper flow toward the inner of the reference element.\n * By default, when this modifier is disabled, the popper will be placed outside\n * the reference element.\n * @memberof modifiers\n * @inner\n */\n inner: {\n /** @prop {number} order=700 - Index used to define the order of execution */\n order: 700,\n /** @prop {Boolean} enabled=false - Whether the modifier is enabled or not */\n enabled: false,\n /** @prop {ModifierFn} */\n fn: inner\n },\n\n /**\n * Modifier used to hide the popper when its reference element is outside of the\n * popper boundaries. It will set a `x-out-of-boundaries` attribute which can\n * be used to hide with a CSS selector the popper when its reference is\n * out of boundaries.\n *\n * Requires the `preventOverflow` modifier before it in order to work.\n * @memberof modifiers\n * @inner\n */\n hide: {\n /** @prop {number} order=800 - Index used to define the order of execution */\n order: 800,\n /** @prop {Boolean} enabled=true - Whether the modifier is enabled or not */\n enabled: true,\n /** @prop {ModifierFn} */\n fn: hide\n },\n\n /**\n * Computes the style that will be applied to the popper element to gets\n * properly positioned.\n *\n * Note that this modifier will not touch the DOM, it just prepares the styles\n * so that `applyStyle` modifier can apply it. This separation is useful\n * in case you need to replace `applyStyle` with a custom implementation.\n *\n * This modifier has `850` as `order` value to maintain backward compatibility\n * with previous versions of Popper.js. Expect the modifiers ordering method\n * to change in future major versions of the library.\n *\n * @memberof modifiers\n * @inner\n */\n computeStyle: {\n /** @prop {number} order=850 - Index used to define the order of execution */\n order: 850,\n /** @prop {Boolean} enabled=true - Whether the modifier is enabled or not */\n enabled: true,\n /** @prop {ModifierFn} */\n fn: computeStyle,\n /**\n * @prop {Boolean} gpuAcceleration=true\n * If true, it uses the CSS 3d transformation to position the popper.\n * Otherwise, it will use the `top` and `left` properties.\n */\n gpuAcceleration: true,\n /**\n * @prop {string} [x='bottom']\n * Where to anchor the X axis (`bottom` or `top`). AKA X offset origin.\n * Change this if your popper should grow in a direction different from `bottom`\n */\n x: 'bottom',\n /**\n * @prop {string} [x='left']\n * Where to anchor the Y axis (`left` or `right`). AKA Y offset origin.\n * Change this if your popper should grow in a direction different from `right`\n */\n y: 'right'\n },\n\n /**\n * Applies the computed styles to the popper element.\n *\n * All the DOM manipulations are limited to this modifier. This is useful in case\n * you want to integrate Popper.js inside a framework or view library and you\n * want to delegate all the DOM manipulations to it.\n *\n * Note that if you disable this modifier, you must make sure the popper element\n * has its position set to `absolute` before Popper.js can do its work!\n *\n * Just disable this modifier and define you own to achieve the desired effect.\n *\n * @memberof modifiers\n * @inner\n */\n applyStyle: {\n /** @prop {number} order=900 - Index used to define the order of execution */\n order: 900,\n /** @prop {Boolean} enabled=true - Whether the modifier is enabled or not */\n enabled: true,\n /** @prop {ModifierFn} */\n fn: applyStyle,\n /** @prop {Function} */\n onLoad: applyStyleOnLoad,\n /**\n * @deprecated since version 1.10.0, the property moved to `computeStyle` modifier\n * @prop {Boolean} gpuAcceleration=true\n * If true, it uses the CSS 3d transformation to position the popper.\n * Otherwise, it will use the `top` and `left` properties.\n */\n gpuAcceleration: undefined\n }\n};\n\n/**\n * The `dataObject` is an object containing all the informations used by Popper.js\n * this object get passed to modifiers and to the `onCreate` and `onUpdate` callbacks.\n * @name dataObject\n * @property {Object} data.instance The Popper.js instance\n * @property {String} data.placement Placement applied to popper\n * @property {String} data.originalPlacement Placement originally defined on init\n * @property {Boolean} data.flipped True if popper has been flipped by flip modifier\n * @property {Boolean} data.hide True if the reference element is out of boundaries, useful to know when to hide the popper.\n * @property {HTMLElement} data.arrowElement Node used as arrow by arrow modifier\n * @property {Object} data.styles Any CSS property defined here will be applied to the popper, it expects the JavaScript nomenclature (eg. `marginBottom`)\n * @property {Object} data.arrowStyles Any CSS property defined here will be applied to the popper arrow, it expects the JavaScript nomenclature (eg. `marginBottom`)\n * @property {Object} data.boundaries Offsets of the popper boundaries\n * @property {Object} data.offsets The measurements of popper, reference and arrow elements.\n * @property {Object} data.offsets.popper `top`, `left`, `width`, `height` values\n * @property {Object} data.offsets.reference `top`, `left`, `width`, `height` values\n * @property {Object} data.offsets.arrow] `top` and `left` offsets, only one of them will be different from 0\n */\n\n/**\n * Default options provided to Popper.js constructor.
\n * These can be overriden using the `options` argument of Popper.js.
\n * To override an option, simply pass as 3rd argument an object with the same\n * structure of this object, example:\n * ```\n * new Popper(ref, pop, {\n * modifiers: {\n * preventOverflow: { enabled: false }\n * }\n * })\n * ```\n * @type {Object}\n * @static\n * @memberof Popper\n */\nvar Defaults = {\n /**\n * Popper's placement\n * @prop {Popper.placements} placement='bottom'\n */\n placement: 'bottom',\n\n /**\n * Set this to true if you want popper to position it self in 'fixed' mode\n * @prop {Boolean} positionFixed=false\n */\n positionFixed: false,\n\n /**\n * Whether events (resize, scroll) are initially enabled\n * @prop {Boolean} eventsEnabled=true\n */\n eventsEnabled: true,\n\n /**\n * Set to true if you want to automatically remove the popper when\n * you call the `destroy` method.\n * @prop {Boolean} removeOnDestroy=false\n */\n removeOnDestroy: false,\n\n /**\n * Callback called when the popper is created.
\n * By default, is set to no-op.
\n * Access Popper.js instance with `data.instance`.\n * @prop {onCreate}\n */\n onCreate: function onCreate() {},\n\n /**\n * Callback called when the popper is updated, this callback is not called\n * on the initialization/creation of the popper, but only on subsequent\n * updates.
\n * By default, is set to no-op.
\n * Access Popper.js instance with `data.instance`.\n * @prop {onUpdate}\n */\n onUpdate: function onUpdate() {},\n\n /**\n * List of modifiers used to modify the offsets before they are applied to the popper.\n * They provide most of the functionalities of Popper.js\n * @prop {modifiers}\n */\n modifiers: modifiers\n};\n\n/**\n * @callback onCreate\n * @param {dataObject} data\n */\n\n/**\n * @callback onUpdate\n * @param {dataObject} data\n */\n\n// Utils\n// Methods\nvar Popper = function () {\n /**\n * Create a new Popper.js instance\n * @class Popper\n * @param {HTMLElement|referenceObject} reference - The reference element used to position the popper\n * @param {HTMLElement} popper - The HTML element used as popper.\n * @param {Object} options - Your custom options to override the ones defined in [Defaults](#defaults)\n * @return {Object} instance - The generated Popper.js instance\n */\n function Popper(reference, popper) {\n var _this = this;\n\n var options = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {};\n classCallCheck(this, Popper);\n\n this.scheduleUpdate = function () {\n return requestAnimationFrame(_this.update);\n };\n\n // make update() debounced, so that it only runs at most once-per-tick\n this.update = debounce(this.update.bind(this));\n\n // with {} we create a new object with the options inside it\n this.options = _extends({}, Popper.Defaults, options);\n\n // init state\n this.state = {\n isDestroyed: false,\n isCreated: false,\n scrollParents: []\n };\n\n // get reference and popper elements (allow jQuery wrappers)\n this.reference = reference && reference.jquery ? reference[0] : reference;\n this.popper = popper && popper.jquery ? popper[0] : popper;\n\n // Deep merge modifiers options\n this.options.modifiers = {};\n Object.keys(_extends({}, Popper.Defaults.modifiers, options.modifiers)).forEach(function (name) {\n _this.options.modifiers[name] = _extends({}, Popper.Defaults.modifiers[name] || {}, options.modifiers ? options.modifiers[name] : {});\n });\n\n // Refactoring modifiers' list (Object => Array)\n this.modifiers = Object.keys(this.options.modifiers).map(function (name) {\n return _extends({\n name: name\n }, _this.options.modifiers[name]);\n })\n // sort the modifiers by order\n .sort(function (a, b) {\n return a.order - b.order;\n });\n\n // modifiers have the ability to execute arbitrary code when Popper.js get inited\n // such code is executed in the same order of its modifier\n // they could add new properties to their options configuration\n // BE AWARE: don't add options to `options.modifiers.name` but to `modifierOptions`!\n this.modifiers.forEach(function (modifierOptions) {\n if (modifierOptions.enabled && isFunction(modifierOptions.onLoad)) {\n modifierOptions.onLoad(_this.reference, _this.popper, _this.options, modifierOptions, _this.state);\n }\n });\n\n // fire the first update to position the popper in the right place\n this.update();\n\n var eventsEnabled = this.options.eventsEnabled;\n if (eventsEnabled) {\n // setup event listeners, they will take care of update the position in specific situations\n this.enableEventListeners();\n }\n\n this.state.eventsEnabled = eventsEnabled;\n }\n\n // We can't use class properties because they don't get listed in the\n // class prototype and break stuff like Sinon stubs\n\n\n createClass(Popper, [{\n key: 'update',\n value: function update$$1() {\n return update.call(this);\n }\n }, {\n key: 'destroy',\n value: function destroy$$1() {\n return destroy.call(this);\n }\n }, {\n key: 'enableEventListeners',\n value: function enableEventListeners$$1() {\n return enableEventListeners.call(this);\n }\n }, {\n key: 'disableEventListeners',\n value: function disableEventListeners$$1() {\n return disableEventListeners.call(this);\n }\n\n /**\n * Schedule an update, it will run on the next UI update available\n * @method scheduleUpdate\n * @memberof Popper\n */\n\n\n /**\n * Collection of utilities useful when writing custom modifiers.\n * Starting from version 1.7, this method is available only if you\n * include `popper-utils.js` before `popper.js`.\n *\n * **DEPRECATION**: This way to access PopperUtils is deprecated\n * and will be removed in v2! Use the PopperUtils module directly instead.\n * Due to the high instability of the methods contained in Utils, we can't\n * guarantee them to follow semver. Use them at your own risk!\n * @static\n * @private\n * @type {Object}\n * @deprecated since version 1.8\n * @member Utils\n * @memberof Popper\n */\n\n }]);\n return Popper;\n}();\n\n/**\n * The `referenceObject` is an object that provides an interface compatible with Popper.js\n * and lets you use it as replacement of a real DOM node.
\n * You can use this method to position a popper relatively to a set of coordinates\n * in case you don't have a DOM node to use as reference.\n *\n * ```\n * new Popper(referenceObject, popperNode);\n * ```\n *\n * NB: This feature isn't supported in Internet Explorer 10\n * @name referenceObject\n * @property {Function} data.getBoundingClientRect\n * A function that returns a set of coordinates compatible with the native `getBoundingClientRect` method.\n * @property {number} data.clientWidth\n * An ES6 getter that will return the width of the virtual reference element.\n * @property {number} data.clientHeight\n * An ES6 getter that will return the height of the virtual reference element.\n */\n\n\nPopper.Utils = (typeof window !== 'undefined' ? window : global).PopperUtils;\nPopper.placements = placements;\nPopper.Defaults = Defaults;\n\nvar SVGAnimatedString = function SVGAnimatedString() {};\nif (typeof window !== 'undefined') {\n\tSVGAnimatedString = window.SVGAnimatedString;\n}\n\nfunction convertToArray(value) {\n\tif (typeof value === 'string') {\n\t\tvalue = value.split(' ');\n\t}\n\treturn value;\n}\n\n/**\n * Add classes to an element.\n * This method checks to ensure that the classes don't already exist before adding them.\n * It uses el.className rather than classList in order to be IE friendly.\n * @param {object} el - The element to add the classes to.\n * @param {classes} string - List of space separated classes to be added to the element.\n */\nfunction addClasses(el, classes) {\n\tvar newClasses = convertToArray(classes);\n\tvar classList = void 0;\n\tif (el.className instanceof SVGAnimatedString) {\n\t\tclassList = convertToArray(el.className.baseVal);\n\t} else {\n\t\tclassList = convertToArray(el.className);\n\t}\n\tnewClasses.forEach(function (newClass) {\n\t\tif (classList.indexOf(newClass) === -1) {\n\t\t\tclassList.push(newClass);\n\t\t}\n\t});\n\tif (el instanceof SVGElement) {\n\t\tel.setAttribute('class', classList.join(' '));\n\t} else {\n\t\tel.className = classList.join(' ');\n\t}\n}\n\n/**\n * Remove classes from an element.\n * It uses el.className rather than classList in order to be IE friendly.\n * @export\n * @param {any} el The element to remove the classes from.\n * @param {any} classes List of space separated classes to be removed from the element.\n */\nfunction removeClasses(el, classes) {\n\tvar newClasses = convertToArray(classes);\n\tvar classList = void 0;\n\tif (el.className instanceof SVGAnimatedString) {\n\t\tclassList = convertToArray(el.className.baseVal);\n\t} else {\n\t\tclassList = convertToArray(el.className);\n\t}\n\tnewClasses.forEach(function (newClass) {\n\t\tvar index = classList.indexOf(newClass);\n\t\tif (index !== -1) {\n\t\t\tclassList.splice(index, 1);\n\t\t}\n\t});\n\tif (el instanceof SVGElement) {\n\t\tel.setAttribute('class', classList.join(' '));\n\t} else {\n\t\tel.className = classList.join(' ');\n\t}\n}\n\nvar supportsPassive = false;\n\nif (typeof window !== 'undefined') {\n\tsupportsPassive = false;\n\ttry {\n\t\tvar opts = Object.defineProperty({}, 'passive', {\n\t\t\tget: function get() {\n\t\t\t\tsupportsPassive = true;\n\t\t\t}\n\t\t});\n\t\twindow.addEventListener('test', null, opts);\n\t} catch (e) {}\n}\n\nvar _typeof = typeof Symbol === \"function\" && typeof Symbol.iterator === \"symbol\" ? function (obj) {\n return typeof obj;\n} : function (obj) {\n return obj && typeof Symbol === \"function\" && obj.constructor === Symbol && obj !== Symbol.prototype ? \"symbol\" : typeof obj;\n};\n\n\n\n\n\n\n\n\n\n\n\nvar classCallCheck$1 = function (instance, Constructor) {\n if (!(instance instanceof Constructor)) {\n throw new TypeError(\"Cannot call a class as a function\");\n }\n};\n\nvar createClass$1 = function () {\n function defineProperties(target, props) {\n for (var i = 0; i < props.length; i++) {\n var descriptor = props[i];\n descriptor.enumerable = descriptor.enumerable || false;\n descriptor.configurable = true;\n if (\"value\" in descriptor) descriptor.writable = true;\n Object.defineProperty(target, descriptor.key, descriptor);\n }\n }\n\n return function (Constructor, protoProps, staticProps) {\n if (protoProps) defineProperties(Constructor.prototype, protoProps);\n if (staticProps) defineProperties(Constructor, staticProps);\n return Constructor;\n };\n}();\n\n\n\n\n\n\n\nvar _extends$1 = Object.assign || function (target) {\n for (var i = 1; i < arguments.length; i++) {\n var source = arguments[i];\n\n for (var key in source) {\n if (Object.prototype.hasOwnProperty.call(source, key)) {\n target[key] = source[key];\n }\n }\n }\n\n return target;\n};\n\n/* Forked from https://github.com/FezVrasta/popper.js/blob/master/packages/tooltip/src/index.js */\n\nvar DEFAULT_OPTIONS = {\n\tcontainer: false,\n\tdelay: 0,\n\thtml: false,\n\tplacement: 'top',\n\ttitle: '',\n\ttemplate: '
',\n\ttrigger: 'hover focus',\n\toffset: 0\n};\n\nvar openTooltips = [];\n\nvar Tooltip = function () {\n\t/**\n * Create a new Tooltip.js instance\n * @class Tooltip\n * @param {HTMLElement} reference - The DOM node used as reference of the tooltip (it can be a jQuery element).\n * @param {Object} options\n * @param {String} options.placement=bottom\n *\t\t\tPlacement of the popper accepted values: `top(-start, -end), right(-start, -end), bottom(-start, -end),\n *\t\t\tleft(-start, -end)`\n * @param {HTMLElement|String|false} options.container=false - Append the tooltip to a specific element.\n * @param {Number|Object} options.delay=0\n *\t\t\tDelay showing and hiding the tooltip (ms) - does not apply to manual trigger type.\n *\t\t\tIf a number is supplied, delay is applied to both hide/show.\n *\t\t\tObject structure is: `{ show: 500, hide: 100 }`\n * @param {Boolean} options.html=false - Insert HTML into the tooltip. If false, the content will inserted with `innerText`.\n * @param {String|PlacementFunction} options.placement='top' - One of the allowed placements, or a function returning one of them.\n * @param {String} [options.template='
']\n *\t\t\tBase HTML to used when creating the tooltip.\n *\t\t\tThe tooltip's `title` will be injected into the `.tooltip-inner` or `.tooltip__inner`.\n *\t\t\t`.tooltip-arrow` or `.tooltip__arrow` will become the tooltip's arrow.\n *\t\t\tThe outermost wrapper element should have the `.tooltip` class.\n * @param {String|HTMLElement|TitleFunction} options.title='' - Default title value if `title` attribute isn't present.\n * @param {String} [options.trigger='hover focus']\n *\t\t\tHow tooltip is triggered - click, hover, focus, manual.\n *\t\t\tYou may pass multiple triggers; separate them with a space. `manual` cannot be combined with any other trigger.\n * @param {HTMLElement} options.boundariesElement\n *\t\t\tThe element used as boundaries for the tooltip. For more information refer to Popper.js'\n *\t\t\t[boundariesElement docs](https://popper.js.org/popper-documentation.html)\n * @param {Number|String} options.offset=0 - Offset of the tooltip relative to its reference. For more information refer to Popper.js'\n *\t\t\t[offset docs](https://popper.js.org/popper-documentation.html)\n * @param {Object} options.popperOptions={} - Popper options, will be passed directly to popper instance. For more information refer to Popper.js'\n *\t\t\t[options docs](https://popper.js.org/popper-documentation.html)\n * @return {Object} instance - The generated tooltip instance\n */\n\tfunction Tooltip(reference, options) {\n\t\tclassCallCheck$1(this, Tooltip);\n\n\t\t_initialiseProps.call(this);\n\n\t\t// apply user options over default ones\n\t\toptions = _extends$1({}, DEFAULT_OPTIONS, options);\n\n\t\treference.jquery && (reference = reference[0]);\n\n\t\t// cache reference and options\n\t\tthis.reference = reference;\n\t\tthis.options = options;\n\n\t\t// set initial state\n\t\tthis._isOpen = false;\n\n\t\tthis._init();\n\t}\n\n\t//\n\t// Public methods\n\t//\n\n\t/**\n * Reveals an element's tooltip. This is considered a \"manual\" triggering of the tooltip.\n * Tooltips with zero-length titles are never displayed.\n * @method Tooltip#show\n * @memberof Tooltip\n */\n\n\n\t/**\n * Hides an element’s tooltip. This is considered a “manual” triggering of the tooltip.\n * @method Tooltip#hide\n * @memberof Tooltip\n */\n\n\n\t/**\n * Hides and destroys an element’s tooltip.\n * @method Tooltip#dispose\n * @memberof Tooltip\n */\n\n\n\t/**\n * Toggles an element’s tooltip. This is considered a “manual” triggering of the tooltip.\n * @method Tooltip#toggle\n * @memberof Tooltip\n */\n\n\n\tcreateClass$1(Tooltip, [{\n\t\tkey: 'setClasses',\n\t\tvalue: function setClasses(classes) {\n\t\t\tthis._classes = classes;\n\t\t}\n\t}, {\n\t\tkey: 'setContent',\n\t\tvalue: function setContent(content) {\n\t\t\tthis.options.title = content;\n\t\t\tif (this._tooltipNode) {\n\t\t\t\tthis._setContent(content, this.options);\n\t\t\t}\n\t\t}\n\t}, {\n\t\tkey: 'setOptions',\n\t\tvalue: function setOptions(options) {\n\t\t\tvar classesUpdated = false;\n\t\t\tvar classes = options && options.classes || directive.options.defaultClass;\n\t\t\tif (this._classes !== classes) {\n\t\t\t\tthis.setClasses(classes);\n\t\t\t\tclassesUpdated = true;\n\t\t\t}\n\n\t\t\toptions = getOptions(options);\n\n\t\t\tvar needPopperUpdate = false;\n\t\t\tvar needRestart = false;\n\n\t\t\tif (this.options.offset !== options.offset || this.options.placement !== options.placement) {\n\t\t\t\tneedPopperUpdate = true;\n\t\t\t}\n\n\t\t\tif (this.options.template !== options.template || this.options.trigger !== options.trigger || this.options.container !== options.container || classesUpdated) {\n\t\t\t\tneedRestart = true;\n\t\t\t}\n\n\t\t\tfor (var key in options) {\n\t\t\t\tthis.options[key] = options[key];\n\t\t\t}\n\n\t\t\tif (this._tooltipNode) {\n\t\t\t\tif (needRestart) {\n\t\t\t\t\tvar isOpen = this._isOpen;\n\n\t\t\t\t\tthis.dispose();\n\t\t\t\t\tthis._init();\n\n\t\t\t\t\tif (isOpen) {\n\t\t\t\t\t\tthis.show();\n\t\t\t\t\t}\n\t\t\t\t} else if (needPopperUpdate) {\n\t\t\t\t\tthis.popperInstance.update();\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\t//\n\t\t// Private methods\n\t\t//\n\n\t}, {\n\t\tkey: '_init',\n\t\tvalue: function _init() {\n\t\t\t// get events list\n\t\t\tvar events = typeof this.options.trigger === 'string' ? this.options.trigger.split(' ').filter(function (trigger) {\n\t\t\t\treturn ['click', 'hover', 'focus'].indexOf(trigger) !== -1;\n\t\t\t}) : [];\n\t\t\tthis._isDisposed = false;\n\t\t\tthis._enableDocumentTouch = events.indexOf('manual') === -1;\n\n\t\t\t// set event listeners\n\t\t\tthis._setEventListeners(this.reference, events, this.options);\n\t\t}\n\n\t\t/**\n * Creates a new tooltip node\n * @memberof Tooltip\n * @private\n * @param {HTMLElement} reference\n * @param {String} template\n * @param {String|HTMLElement|TitleFunction} title\n * @param {Boolean} allowHtml\n * @return {HTMLelement} tooltipNode\n */\n\n\t}, {\n\t\tkey: '_create',\n\t\tvalue: function _create(reference, template) {\n\t\t\t// create tooltip element\n\t\t\tvar tooltipGenerator = window.document.createElement('div');\n\t\t\ttooltipGenerator.innerHTML = template.trim();\n\t\t\tvar tooltipNode = tooltipGenerator.childNodes[0];\n\n\t\t\t// add unique ID to our tooltip (needed for accessibility reasons)\n\t\t\ttooltipNode.id = 'tooltip_' + Math.random().toString(36).substr(2, 10);\n\n\t\t\t// Initially hide the tooltip\n\t\t\t// The attribute will be switched in a next frame so\n\t\t\t// CSS transitions can play\n\t\t\ttooltipNode.setAttribute('aria-hidden', 'true');\n\n\t\t\tif (this.options.autoHide && this.options.trigger.indexOf('hover') !== -1) {\n\t\t\t\ttooltipNode.addEventListener('mouseenter', this.hide);\n\t\t\t\ttooltipNode.addEventListener('click', this.hide);\n\t\t\t}\n\n\t\t\t// return the generated tooltip node\n\t\t\treturn tooltipNode;\n\t\t}\n\t}, {\n\t\tkey: '_setContent',\n\t\tvalue: function _setContent(content, options) {\n\t\t\tvar _this = this;\n\n\t\t\tthis.asyncContent = false;\n\t\t\tthis._applyContent(content, options).then(function () {\n\t\t\t\t_this.popperInstance.update();\n\t\t\t});\n\t\t}\n\t}, {\n\t\tkey: '_applyContent',\n\t\tvalue: function _applyContent(title, options) {\n\t\t\tvar _this2 = this;\n\n\t\t\treturn new Promise(function (resolve, reject) {\n\t\t\t\tvar allowHtml = options.html;\n\t\t\t\tvar rootNode = _this2._tooltipNode;\n\t\t\t\tif (!rootNode) return;\n\t\t\t\tvar titleNode = rootNode.querySelector(_this2.options.innerSelector);\n\t\t\t\tif (title.nodeType === 1) {\n\t\t\t\t\t// if title is a node, append it only if allowHtml is true\n\t\t\t\t\tif (allowHtml) {\n\t\t\t\t\t\twhile (titleNode.firstChild) {\n\t\t\t\t\t\t\ttitleNode.removeChild(titleNode.firstChild);\n\t\t\t\t\t\t}\n\t\t\t\t\t\ttitleNode.appendChild(title);\n\t\t\t\t\t}\n\t\t\t\t} else if (typeof title === 'function') {\n\t\t\t\t\t// if title is a function, call it and set innerText or innerHtml depending by `allowHtml` value\n\t\t\t\t\tvar result = title();\n\t\t\t\t\tif (result && typeof result.then === 'function') {\n\t\t\t\t\t\t_this2.asyncContent = true;\n\t\t\t\t\t\toptions.loadingClass && addClasses(rootNode, options.loadingClass);\n\t\t\t\t\t\tif (options.loadingContent) {\n\t\t\t\t\t\t\t_this2._applyContent(options.loadingContent, options);\n\t\t\t\t\t\t}\n\t\t\t\t\t\tresult.then(function (asyncResult) {\n\t\t\t\t\t\t\toptions.loadingClass && removeClasses(rootNode, options.loadingClass);\n\t\t\t\t\t\t\treturn _this2._applyContent(asyncResult, options);\n\t\t\t\t\t\t}).then(resolve).catch(reject);\n\t\t\t\t\t} else {\n\t\t\t\t\t\t_this2._applyContent(result, options).then(resolve).catch(reject);\n\t\t\t\t\t}\n\t\t\t\t\treturn;\n\t\t\t\t} else {\n\t\t\t\t\t// if it's just a simple text, set innerText or innerHtml depending by `allowHtml` value\n\t\t\t\t\tallowHtml ? titleNode.innerHTML = title : titleNode.innerText = title;\n\t\t\t\t}\n\t\t\t\tresolve();\n\t\t\t});\n\t\t}\n\t}, {\n\t\tkey: '_show',\n\t\tvalue: function _show(reference, options) {\n\t\t\tif (options && typeof options.container === 'string') {\n\t\t\t\tvar container = document.querySelector(options.container);\n\t\t\t\tif (!container) return;\n\t\t\t}\n\n\t\t\tclearTimeout(this._disposeTimer);\n\n\t\t\toptions = Object.assign({}, options);\n\t\t\tdelete options.offset;\n\n\t\t\tvar updateClasses = true;\n\t\t\tif (this._tooltipNode) {\n\t\t\t\taddClasses(this._tooltipNode, this._classes);\n\t\t\t\tupdateClasses = false;\n\t\t\t}\n\n\t\t\tvar result = this._ensureShown(reference, options);\n\n\t\t\tif (updateClasses && this._tooltipNode) {\n\t\t\t\taddClasses(this._tooltipNode, this._classes);\n\t\t\t}\n\n\t\t\taddClasses(reference, ['v-tooltip-open']);\n\n\t\t\treturn result;\n\t\t}\n\t}, {\n\t\tkey: '_ensureShown',\n\t\tvalue: function _ensureShown(reference, options) {\n\t\t\tvar _this3 = this;\n\n\t\t\t// don't show if it's already visible\n\t\t\tif (this._isOpen) {\n\t\t\t\treturn this;\n\t\t\t}\n\t\t\tthis._isOpen = true;\n\n\t\t\topenTooltips.push(this);\n\n\t\t\t// if the tooltipNode already exists, just show it\n\t\t\tif (this._tooltipNode) {\n\t\t\t\tthis._tooltipNode.style.display = '';\n\t\t\t\tthis._tooltipNode.setAttribute('aria-hidden', 'false');\n\t\t\t\tthis.popperInstance.enableEventListeners();\n\t\t\t\tthis.popperInstance.update();\n\t\t\t\tif (this.asyncContent) {\n\t\t\t\t\tthis._setContent(options.title, options);\n\t\t\t\t}\n\t\t\t\treturn this;\n\t\t\t}\n\n\t\t\t// get title\n\t\t\tvar title = reference.getAttribute('title') || options.title;\n\n\t\t\t// don't show tooltip if no title is defined\n\t\t\tif (!title) {\n\t\t\t\treturn this;\n\t\t\t}\n\n\t\t\t// create tooltip node\n\t\t\tvar tooltipNode = this._create(reference, options.template);\n\t\t\tthis._tooltipNode = tooltipNode;\n\n\t\t\tthis._setContent(title, options);\n\n\t\t\t// Add `aria-describedby` to our reference element for accessibility reasons\n\t\t\treference.setAttribute('aria-describedby', tooltipNode.id);\n\n\t\t\t// append tooltip to container\n\t\t\tvar container = this._findContainer(options.container, reference);\n\n\t\t\tthis._append(tooltipNode, container);\n\n\t\t\tvar popperOptions = _extends$1({}, options.popperOptions, {\n\t\t\t\tplacement: options.placement\n\t\t\t});\n\n\t\t\tpopperOptions.modifiers = _extends$1({}, popperOptions.modifiers, {\n\t\t\t\tarrow: {\n\t\t\t\t\telement: this.options.arrowSelector\n\t\t\t\t}\n\t\t\t});\n\n\t\t\tif (options.boundariesElement) {\n\t\t\t\tpopperOptions.modifiers.preventOverflow = {\n\t\t\t\t\tboundariesElement: options.boundariesElement\n\t\t\t\t};\n\t\t\t}\n\n\t\t\tthis.popperInstance = new Popper(reference, tooltipNode, popperOptions);\n\n\t\t\t// Fix position\n\t\t\trequestAnimationFrame(function () {\n\t\t\t\tif (!_this3._isDisposed && _this3.popperInstance) {\n\t\t\t\t\t_this3.popperInstance.update();\n\n\t\t\t\t\t// Show the tooltip\n\t\t\t\t\trequestAnimationFrame(function () {\n\t\t\t\t\t\tif (!_this3._isDisposed) {\n\t\t\t\t\t\t\t_this3._isOpen && tooltipNode.setAttribute('aria-hidden', 'false');\n\t\t\t\t\t\t} else {\n\t\t\t\t\t\t\t_this3.dispose();\n\t\t\t\t\t\t}\n\t\t\t\t\t});\n\t\t\t\t} else {\n\t\t\t\t\t_this3.dispose();\n\t\t\t\t}\n\t\t\t});\n\n\t\t\treturn this;\n\t\t}\n\t}, {\n\t\tkey: '_noLongerOpen',\n\t\tvalue: function _noLongerOpen() {\n\t\t\tvar index = openTooltips.indexOf(this);\n\t\t\tif (index !== -1) {\n\t\t\t\topenTooltips.splice(index, 1);\n\t\t\t}\n\t\t}\n\t}, {\n\t\tkey: '_hide',\n\t\tvalue: function _hide() /* reference, options */{\n\t\t\tvar _this4 = this;\n\n\t\t\t// don't hide if it's already hidden\n\t\t\tif (!this._isOpen) {\n\t\t\t\treturn this;\n\t\t\t}\n\n\t\t\tthis._isOpen = false;\n\t\t\tthis._noLongerOpen();\n\n\t\t\t// hide tooltipNode\n\t\t\tthis._tooltipNode.style.display = 'none';\n\t\t\tthis._tooltipNode.setAttribute('aria-hidden', 'true');\n\n\t\t\tthis.popperInstance.disableEventListeners();\n\n\t\t\tclearTimeout(this._disposeTimer);\n\t\t\tvar disposeTime = directive.options.disposeTimeout;\n\t\t\tif (disposeTime !== null) {\n\t\t\t\tthis._disposeTimer = setTimeout(function () {\n\t\t\t\t\tif (_this4._tooltipNode) {\n\t\t\t\t\t\t_this4._tooltipNode.removeEventListener('mouseenter', _this4.hide);\n\t\t\t\t\t\t_this4._tooltipNode.removeEventListener('click', _this4.hide);\n\t\t\t\t\t\t// Don't remove popper instance, just the HTML element\n\t\t\t\t\t\t_this4._tooltipNode.parentNode.removeChild(_this4._tooltipNode);\n\t\t\t\t\t\t_this4._tooltipNode = null;\n\t\t\t\t\t}\n\t\t\t\t}, disposeTime);\n\t\t\t}\n\n\t\t\tremoveClasses(this.reference, ['v-tooltip-open']);\n\n\t\t\treturn this;\n\t\t}\n\t}, {\n\t\tkey: '_dispose',\n\t\tvalue: function _dispose() {\n\t\t\tvar _this5 = this;\n\n\t\t\tthis._isDisposed = true;\n\n\t\t\t// remove event listeners first to prevent any unexpected behaviour\n\t\t\tthis._events.forEach(function (_ref) {\n\t\t\t\tvar func = _ref.func,\n\t\t\t\t event = _ref.event;\n\n\t\t\t\t_this5.reference.removeEventListener(event, func);\n\t\t\t});\n\t\t\tthis._events = [];\n\n\t\t\tif (this._tooltipNode) {\n\t\t\t\tthis._hide();\n\n\t\t\t\tthis._tooltipNode.removeEventListener('mouseenter', this.hide);\n\t\t\t\tthis._tooltipNode.removeEventListener('click', this.hide);\n\n\t\t\t\t// destroy instance\n\t\t\t\tthis.popperInstance.destroy();\n\n\t\t\t\t// destroy tooltipNode if removeOnDestroy is not set, as popperInstance.destroy() already removes the element\n\t\t\t\tif (!this.popperInstance.options.removeOnDestroy) {\n\t\t\t\t\tthis._tooltipNode.parentNode.removeChild(this._tooltipNode);\n\t\t\t\t\tthis._tooltipNode = null;\n\t\t\t\t}\n\t\t\t} else {\n\t\t\t\tthis._noLongerOpen();\n\t\t\t}\n\t\t\treturn this;\n\t\t}\n\t}, {\n\t\tkey: '_findContainer',\n\t\tvalue: function _findContainer(container, reference) {\n\t\t\t// if container is a query, get the relative element\n\t\t\tif (typeof container === 'string') {\n\t\t\t\tcontainer = window.document.querySelector(container);\n\t\t\t} else if (container === false) {\n\t\t\t\t// if container is `false`, set it to reference parent\n\t\t\t\tcontainer = reference.parentNode;\n\t\t\t}\n\t\t\treturn container;\n\t\t}\n\n\t\t/**\n * Append tooltip to container\n * @memberof Tooltip\n * @private\n * @param {HTMLElement} tooltip\n * @param {HTMLElement|String|false} container\n */\n\n\t}, {\n\t\tkey: '_append',\n\t\tvalue: function _append(tooltipNode, container) {\n\t\t\tcontainer.appendChild(tooltipNode);\n\t\t}\n\t}, {\n\t\tkey: '_setEventListeners',\n\t\tvalue: function _setEventListeners(reference, events, options) {\n\t\t\tvar _this6 = this;\n\n\t\t\tvar directEvents = [];\n\t\t\tvar oppositeEvents = [];\n\n\t\t\tevents.forEach(function (event) {\n\t\t\t\tswitch (event) {\n\t\t\t\t\tcase 'hover':\n\t\t\t\t\t\tdirectEvents.push('mouseenter');\n\t\t\t\t\t\toppositeEvents.push('mouseleave');\n\t\t\t\t\t\tif (_this6.options.hideOnTargetClick) oppositeEvents.push('click');\n\t\t\t\t\t\tbreak;\n\t\t\t\t\tcase 'focus':\n\t\t\t\t\t\tdirectEvents.push('focus');\n\t\t\t\t\t\toppositeEvents.push('blur');\n\t\t\t\t\t\tif (_this6.options.hideOnTargetClick) oppositeEvents.push('click');\n\t\t\t\t\t\tbreak;\n\t\t\t\t\tcase 'click':\n\t\t\t\t\t\tdirectEvents.push('click');\n\t\t\t\t\t\toppositeEvents.push('click');\n\t\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t});\n\n\t\t\t// schedule show tooltip\n\t\t\tdirectEvents.forEach(function (event) {\n\t\t\t\tvar func = function func(evt) {\n\t\t\t\t\tif (_this6._isOpen === true) {\n\t\t\t\t\t\treturn;\n\t\t\t\t\t}\n\t\t\t\t\tevt.usedByTooltip = true;\n\t\t\t\t\t_this6._scheduleShow(reference, options.delay, options, evt);\n\t\t\t\t};\n\t\t\t\t_this6._events.push({ event: event, func: func });\n\t\t\t\treference.addEventListener(event, func);\n\t\t\t});\n\n\t\t\t// schedule hide tooltip\n\t\t\toppositeEvents.forEach(function (event) {\n\t\t\t\tvar func = function func(evt) {\n\t\t\t\t\tif (evt.usedByTooltip === true) {\n\t\t\t\t\t\treturn;\n\t\t\t\t\t}\n\t\t\t\t\t_this6._scheduleHide(reference, options.delay, options, evt);\n\t\t\t\t};\n\t\t\t\t_this6._events.push({ event: event, func: func });\n\t\t\t\treference.addEventListener(event, func);\n\t\t\t});\n\t\t}\n\t}, {\n\t\tkey: '_onDocumentTouch',\n\t\tvalue: function _onDocumentTouch(event) {\n\t\t\tif (this._enableDocumentTouch) {\n\t\t\t\tthis._scheduleHide(this.reference, this.options.delay, this.options, event);\n\t\t\t}\n\t\t}\n\t}, {\n\t\tkey: '_scheduleShow',\n\t\tvalue: function _scheduleShow(reference, delay, options /*, evt */) {\n\t\t\tvar _this7 = this;\n\n\t\t\t// defaults to 0\n\t\t\tvar computedDelay = delay && delay.show || delay || 0;\n\t\t\tclearTimeout(this._scheduleTimer);\n\t\t\tthis._scheduleTimer = window.setTimeout(function () {\n\t\t\t\treturn _this7._show(reference, options);\n\t\t\t}, computedDelay);\n\t\t}\n\t}, {\n\t\tkey: '_scheduleHide',\n\t\tvalue: function _scheduleHide(reference, delay, options, evt) {\n\t\t\tvar _this8 = this;\n\n\t\t\t// defaults to 0\n\t\t\tvar computedDelay = delay && delay.hide || delay || 0;\n\t\t\tclearTimeout(this._scheduleTimer);\n\t\t\tthis._scheduleTimer = window.setTimeout(function () {\n\t\t\t\tif (_this8._isOpen === false) {\n\t\t\t\t\treturn;\n\t\t\t\t}\n\t\t\t\tif (!document.body.contains(_this8._tooltipNode)) {\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\t// if we are hiding because of a mouseleave, we must check that the new\n\t\t\t\t// reference isn't the tooltip, because in this case we don't want to hide it\n\t\t\t\tif (evt.type === 'mouseleave') {\n\t\t\t\t\tvar isSet = _this8._setTooltipNodeEvent(evt, reference, delay, options);\n\n\t\t\t\t\t// if we set the new event, don't hide the tooltip yet\n\t\t\t\t\t// the new event will take care to hide it if necessary\n\t\t\t\t\tif (isSet) {\n\t\t\t\t\t\treturn;\n\t\t\t\t\t}\n\t\t\t\t}\n\n\t\t\t\t_this8._hide(reference, options);\n\t\t\t}, computedDelay);\n\t\t}\n\t}]);\n\treturn Tooltip;\n}();\n\n// Hide tooltips on touch devices\n\n\nvar _initialiseProps = function _initialiseProps() {\n\tvar _this9 = this;\n\n\tthis.show = function () {\n\t\t_this9._show(_this9.reference, _this9.options);\n\t};\n\n\tthis.hide = function () {\n\t\t_this9._hide();\n\t};\n\n\tthis.dispose = function () {\n\t\t_this9._dispose();\n\t};\n\n\tthis.toggle = function () {\n\t\tif (_this9._isOpen) {\n\t\t\treturn _this9.hide();\n\t\t} else {\n\t\t\treturn _this9.show();\n\t\t}\n\t};\n\n\tthis._events = [];\n\n\tthis._setTooltipNodeEvent = function (evt, reference, delay, options) {\n\t\tvar relatedreference = evt.relatedreference || evt.toElement || evt.relatedTarget;\n\n\t\tvar callback = function callback(evt2) {\n\t\t\tvar relatedreference2 = evt2.relatedreference || evt2.toElement || evt2.relatedTarget;\n\n\t\t\t// Remove event listener after call\n\t\t\t_this9._tooltipNode.removeEventListener(evt.type, callback);\n\n\t\t\t// If the new reference is not the reference element\n\t\t\tif (!reference.contains(relatedreference2)) {\n\t\t\t\t// Schedule to hide tooltip\n\t\t\t\t_this9._scheduleHide(reference, options.delay, options, evt2);\n\t\t\t}\n\t\t};\n\n\t\tif (_this9._tooltipNode.contains(relatedreference)) {\n\t\t\t// listen to mouseleave on the tooltip element to be able to hide the tooltip\n\t\t\t_this9._tooltipNode.addEventListener(evt.type, callback);\n\t\t\treturn true;\n\t\t}\n\n\t\treturn false;\n\t};\n};\n\nif (typeof document !== 'undefined') {\n\tdocument.addEventListener('touchstart', function (event) {\n\t\tfor (var i = 0; i < openTooltips.length; i++) {\n\t\t\topenTooltips[i]._onDocumentTouch(event);\n\t\t}\n\t}, supportsPassive ? {\n\t\tpassive: true,\n\t\tcapture: true\n\t} : true);\n}\n\n/**\n * Placement function, its context is the Tooltip instance.\n * @memberof Tooltip\n * @callback PlacementFunction\n * @param {HTMLElement} tooltip - tooltip DOM node.\n * @param {HTMLElement} reference - reference DOM node.\n * @return {String} placement - One of the allowed placement options.\n */\n\n/**\n * Title function, its context is the Tooltip instance.\n * @memberof Tooltip\n * @callback TitleFunction\n * @return {String} placement - The desired title.\n */\n\nvar state = {\n\tenabled: true\n};\n\nvar positions = ['top', 'top-start', 'top-end', 'right', 'right-start', 'right-end', 'bottom', 'bottom-start', 'bottom-end', 'left', 'left-start', 'left-end'];\n\nvar defaultOptions = {\n\t// Default tooltip placement relative to target element\n\tdefaultPlacement: 'top',\n\t// Default CSS classes applied to the tooltip element\n\tdefaultClass: 'vue-tooltip-theme',\n\t// Default CSS classes applied to the target element of the tooltip\n\tdefaultTargetClass: 'has-tooltip',\n\t// Is the content HTML by default?\n\tdefaultHtml: true,\n\t// Default HTML template of the tooltip element\n\t// It must include `tooltip-arrow` & `tooltip-inner` CSS classes (can be configured, see below)\n\t// Change if the classes conflict with other libraries (for example bootstrap)\n\tdefaultTemplate: '
',\n\t// Selector used to get the arrow element in the tooltip template\n\tdefaultArrowSelector: '.tooltip-arrow, .tooltip__arrow',\n\t// Selector used to get the inner content element in the tooltip template\n\tdefaultInnerSelector: '.tooltip-inner, .tooltip__inner',\n\t// Delay (ms)\n\tdefaultDelay: 0,\n\t// Default events that trigger the tooltip\n\tdefaultTrigger: 'hover focus',\n\t// Default position offset (px)\n\tdefaultOffset: 0,\n\t// Default container where the tooltip will be appended\n\tdefaultContainer: 'body',\n\tdefaultBoundariesElement: undefined,\n\tdefaultPopperOptions: {},\n\t// Class added when content is loading\n\tdefaultLoadingClass: 'tooltip-loading',\n\t// Displayed when tooltip content is loading\n\tdefaultLoadingContent: '...',\n\t// Hide on mouseover tooltip\n\tautoHide: true,\n\t// Close tooltip on click on tooltip target?\n\tdefaultHideOnTargetClick: true,\n\t// Auto destroy tooltip DOM nodes (ms)\n\tdisposeTimeout: 5000,\n\t// Options for popover\n\tpopover: {\n\t\tdefaultPlacement: 'bottom',\n\t\t// Use the `popoverClass` prop for theming\n\t\tdefaultClass: 'vue-popover-theme',\n\t\t// Base class (change if conflicts with other libraries)\n\t\tdefaultBaseClass: 'tooltip popover',\n\t\t// Wrapper class (contains arrow and inner)\n\t\tdefaultWrapperClass: 'wrapper',\n\t\t// Inner content class\n\t\tdefaultInnerClass: 'tooltip-inner popover-inner',\n\t\t// Arrow class\n\t\tdefaultArrowClass: 'tooltip-arrow popover-arrow',\n\t\tdefaultDelay: 0,\n\t\tdefaultTrigger: 'click',\n\t\tdefaultOffset: 0,\n\t\tdefaultContainer: 'body',\n\t\tdefaultBoundariesElement: undefined,\n\t\tdefaultPopperOptions: {},\n\t\t// Hides if clicked outside of popover\n\t\tdefaultAutoHide: true,\n\t\t// Update popper on content resize\n\t\tdefaultHandleResize: true\n\t}\n};\n\nfunction getOptions(options) {\n\tvar result = {\n\t\tplacement: typeof options.placement !== 'undefined' ? options.placement : directive.options.defaultPlacement,\n\t\tdelay: typeof options.delay !== 'undefined' ? options.delay : directive.options.defaultDelay,\n\t\thtml: typeof options.html !== 'undefined' ? options.html : directive.options.defaultHtml,\n\t\ttemplate: typeof options.template !== 'undefined' ? options.template : directive.options.defaultTemplate,\n\t\tarrowSelector: typeof options.arrowSelector !== 'undefined' ? options.arrowSelector : directive.options.defaultArrowSelector,\n\t\tinnerSelector: typeof options.innerSelector !== 'undefined' ? options.innerSelector : directive.options.defaultInnerSelector,\n\t\ttrigger: typeof options.trigger !== 'undefined' ? options.trigger : directive.options.defaultTrigger,\n\t\toffset: typeof options.offset !== 'undefined' ? options.offset : directive.options.defaultOffset,\n\t\tcontainer: typeof options.container !== 'undefined' ? options.container : directive.options.defaultContainer,\n\t\tboundariesElement: typeof options.boundariesElement !== 'undefined' ? options.boundariesElement : directive.options.defaultBoundariesElement,\n\t\tautoHide: typeof options.autoHide !== 'undefined' ? options.autoHide : directive.options.autoHide,\n\t\thideOnTargetClick: typeof options.hideOnTargetClick !== 'undefined' ? options.hideOnTargetClick : directive.options.defaultHideOnTargetClick,\n\t\tloadingClass: typeof options.loadingClass !== 'undefined' ? options.loadingClass : directive.options.defaultLoadingClass,\n\t\tloadingContent: typeof options.loadingContent !== 'undefined' ? options.loadingContent : directive.options.defaultLoadingContent,\n\t\tpopperOptions: _extends$1({}, typeof options.popperOptions !== 'undefined' ? options.popperOptions : directive.options.defaultPopperOptions)\n\t};\n\n\tif (result.offset) {\n\t\tvar typeofOffset = _typeof(result.offset);\n\t\tvar offset = result.offset;\n\n\t\t// One value -> switch\n\t\tif (typeofOffset === 'number' || typeofOffset === 'string' && offset.indexOf(',') === -1) {\n\t\t\toffset = '0, ' + offset;\n\t\t}\n\n\t\tif (!result.popperOptions.modifiers) {\n\t\t\tresult.popperOptions.modifiers = {};\n\t\t}\n\t\tresult.popperOptions.modifiers.offset = {\n\t\t\toffset: offset\n\t\t};\n\t}\n\n\tif (result.trigger && result.trigger.indexOf('click') !== -1) {\n\t\tresult.hideOnTargetClick = false;\n\t}\n\n\treturn result;\n}\n\nfunction getPlacement(value, modifiers) {\n\tvar placement = value.placement;\n\tfor (var i = 0; i < positions.length; i++) {\n\t\tvar pos = positions[i];\n\t\tif (modifiers[pos]) {\n\t\t\tplacement = pos;\n\t\t}\n\t}\n\treturn placement;\n}\n\nfunction getContent(value) {\n\tvar type = typeof value === 'undefined' ? 'undefined' : _typeof(value);\n\tif (type === 'string') {\n\t\treturn value;\n\t} else if (value && type === 'object') {\n\t\treturn value.content;\n\t} else {\n\t\treturn false;\n\t}\n}\n\nfunction createTooltip(el, value) {\n\tvar modifiers = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {};\n\n\tvar content = getContent(value);\n\tvar classes = typeof value.classes !== 'undefined' ? value.classes : directive.options.defaultClass;\n\tvar opts = _extends$1({\n\t\ttitle: content\n\t}, getOptions(_extends$1({}, value, {\n\t\tplacement: getPlacement(value, modifiers)\n\t})));\n\tvar tooltip = el._tooltip = new Tooltip(el, opts);\n\ttooltip.setClasses(classes);\n\ttooltip._vueEl = el;\n\n\t// Class on target\n\tvar targetClasses = typeof value.targetClasses !== 'undefined' ? value.targetClasses : directive.options.defaultTargetClass;\n\tel._tooltipTargetClasses = targetClasses;\n\taddClasses(el, targetClasses);\n\n\treturn tooltip;\n}\n\nfunction destroyTooltip(el) {\n\tif (el._tooltip) {\n\t\tel._tooltip.dispose();\n\t\tdelete el._tooltip;\n\t\tdelete el._tooltipOldShow;\n\t}\n\n\tif (el._tooltipTargetClasses) {\n\t\tremoveClasses(el, el._tooltipTargetClasses);\n\t\tdelete el._tooltipTargetClasses;\n\t}\n}\n\nfunction bind(el, _ref) {\n\tvar value = _ref.value,\n\t oldValue = _ref.oldValue,\n\t modifiers = _ref.modifiers;\n\n\tvar content = getContent(value);\n\tif (!content || !state.enabled) {\n\t\tdestroyTooltip(el);\n\t} else {\n\t\tvar tooltip = void 0;\n\t\tif (el._tooltip) {\n\t\t\ttooltip = el._tooltip;\n\t\t\t// Content\n\t\t\ttooltip.setContent(content);\n\t\t\t// Options\n\t\t\ttooltip.setOptions(_extends$1({}, value, {\n\t\t\t\tplacement: getPlacement(value, modifiers)\n\t\t\t}));\n\t\t} else {\n\t\t\ttooltip = createTooltip(el, value, modifiers);\n\t\t}\n\n\t\t// Manual show\n\t\tif (typeof value.show !== 'undefined' && value.show !== el._tooltipOldShow) {\n\t\t\tel._tooltipOldShow = value.show;\n\t\t\tvalue.show ? tooltip.show() : tooltip.hide();\n\t\t}\n\t}\n}\n\nvar directive = {\n\toptions: defaultOptions,\n\tbind: bind,\n\tupdate: bind,\n\tunbind: function unbind(el) {\n\t\tdestroyTooltip(el);\n\t}\n};\n\nfunction addListeners(el) {\n\tel.addEventListener('click', onClick);\n\tel.addEventListener('touchstart', onTouchStart, supportsPassive ? {\n\t\tpassive: true\n\t} : false);\n}\n\nfunction removeListeners(el) {\n\tel.removeEventListener('click', onClick);\n\tel.removeEventListener('touchstart', onTouchStart);\n\tel.removeEventListener('touchend', onTouchEnd);\n\tel.removeEventListener('touchcancel', onTouchCancel);\n}\n\nfunction onClick(event) {\n\tvar el = event.currentTarget;\n\tevent.closePopover = !el.$_vclosepopover_touch;\n\tevent.closeAllPopover = el.$_closePopoverModifiers && !!el.$_closePopoverModifiers.all;\n}\n\nfunction onTouchStart(event) {\n\tif (event.changedTouches.length === 1) {\n\t\tvar el = event.currentTarget;\n\t\tel.$_vclosepopover_touch = true;\n\t\tvar touch = event.changedTouches[0];\n\t\tel.$_vclosepopover_touchPoint = touch;\n\t\tel.addEventListener('touchend', onTouchEnd);\n\t\tel.addEventListener('touchcancel', onTouchCancel);\n\t}\n}\n\nfunction onTouchEnd(event) {\n\tvar el = event.currentTarget;\n\tel.$_vclosepopover_touch = false;\n\tif (event.changedTouches.length === 1) {\n\t\tvar touch = event.changedTouches[0];\n\t\tvar firstTouch = el.$_vclosepopover_touchPoint;\n\t\tevent.closePopover = Math.abs(touch.screenY - firstTouch.screenY) < 20 && Math.abs(touch.screenX - firstTouch.screenX) < 20;\n\t\tevent.closeAllPopover = el.$_closePopoverModifiers && !!el.$_closePopoverModifiers.all;\n\t}\n}\n\nfunction onTouchCancel(event) {\n\tvar el = event.currentTarget;\n\tel.$_vclosepopover_touch = false;\n}\n\nvar vclosepopover = {\n\tbind: function bind(el, _ref) {\n\t\tvar value = _ref.value,\n\t\t modifiers = _ref.modifiers;\n\n\t\tel.$_closePopoverModifiers = modifiers;\n\t\tif (typeof value === 'undefined' || value) {\n\t\t\taddListeners(el);\n\t\t}\n\t},\n\tupdate: function update(el, _ref2) {\n\t\tvar value = _ref2.value,\n\t\t oldValue = _ref2.oldValue,\n\t\t modifiers = _ref2.modifiers;\n\n\t\tel.$_closePopoverModifiers = modifiers;\n\t\tif (value !== oldValue) {\n\t\t\tif (typeof value === 'undefined' || value) {\n\t\t\t\taddListeners(el);\n\t\t\t} else {\n\t\t\t\tremoveListeners(el);\n\t\t\t}\n\t\t}\n\t},\n\tunbind: function unbind(el) {\n\t\tremoveListeners(el);\n\t}\n};\n\nfunction getInternetExplorerVersion() {\n\tvar ua = window.navigator.userAgent;\n\n\tvar msie = ua.indexOf('MSIE ');\n\tif (msie > 0) {\n\t\t// IE 10 or older => return version number\n\t\treturn parseInt(ua.substring(msie + 5, ua.indexOf('.', msie)), 10);\n\t}\n\n\tvar trident = ua.indexOf('Trident/');\n\tif (trident > 0) {\n\t\t// IE 11 => return version number\n\t\tvar rv = ua.indexOf('rv:');\n\t\treturn parseInt(ua.substring(rv + 3, ua.indexOf('.', rv)), 10);\n\t}\n\n\tvar edge = ua.indexOf('Edge/');\n\tif (edge > 0) {\n\t\t// Edge (IE 12+) => return version number\n\t\treturn parseInt(ua.substring(edge + 5, ua.indexOf('.', edge)), 10);\n\t}\n\n\t// other browser\n\treturn -1;\n}\n\nvar isIE$1 = void 0;\n\nfunction initCompat() {\n\tif (!initCompat.init) {\n\t\tinitCompat.init = true;\n\t\tisIE$1 = getInternetExplorerVersion() !== -1;\n\t}\n}\n\nvar ResizeObserver = { render: function render() {\n\t\tvar _vm = this;var _h = _vm.$createElement;var _c = _vm._self._c || _h;return _c('div', { staticClass: \"resize-observer\", attrs: { \"tabindex\": \"-1\" } });\n\t}, staticRenderFns: [], _scopeId: 'data-v-b329ee4c',\n\tname: 'resize-observer',\n\n\tmethods: {\n\t\tnotify: function notify() {\n\t\t\tthis.$emit('notify');\n\t\t},\n\t\taddResizeHandlers: function addResizeHandlers() {\n\t\t\tthis._resizeObject.contentDocument.defaultView.addEventListener('resize', this.notify);\n\t\t\tif (this._w !== this.$el.offsetWidth || this._h !== this.$el.offsetHeight) {\n\t\t\t\tthis.notify();\n\t\t\t}\n\t\t},\n\t\tremoveResizeHandlers: function removeResizeHandlers() {\n\t\t\tif (this._resizeObject && this._resizeObject.onload) {\n\t\t\t\tif (!isIE$1 && this._resizeObject.contentDocument) {\n\t\t\t\t\tthis._resizeObject.contentDocument.defaultView.removeEventListener('resize', this.notify);\n\t\t\t\t}\n\t\t\t\tdelete this._resizeObject.onload;\n\t\t\t}\n\t\t}\n\t},\n\n\tmounted: function mounted() {\n\t\tvar _this = this;\n\n\t\tinitCompat();\n\t\tthis.$nextTick(function () {\n\t\t\t_this._w = _this.$el.offsetWidth;\n\t\t\t_this._h = _this.$el.offsetHeight;\n\t\t});\n\t\tvar object = document.createElement('object');\n\t\tthis._resizeObject = object;\n\t\tobject.setAttribute('style', 'display: block; position: absolute; top: 0; left: 0; height: 100%; width: 100%; overflow: hidden; pointer-events: none; z-index: -1;');\n\t\tobject.setAttribute('aria-hidden', 'true');\n\t\tobject.setAttribute('tabindex', -1);\n\t\tobject.onload = this.addResizeHandlers;\n\t\tobject.type = 'text/html';\n\t\tif (isIE$1) {\n\t\t\tthis.$el.appendChild(object);\n\t\t}\n\t\tobject.data = 'about:blank';\n\t\tif (!isIE$1) {\n\t\t\tthis.$el.appendChild(object);\n\t\t}\n\t},\n\tbeforeDestroy: function beforeDestroy() {\n\t\tthis.removeResizeHandlers();\n\t}\n};\n\n// Install the components\nfunction install$1(Vue) {\n\tVue.component('resize-observer', ResizeObserver);\n\t/* -- Add more components here -- */\n}\n\n/* -- Plugin definition & Auto-install -- */\n/* You shouldn't have to modify the code below */\n\n// Plugin\nvar plugin$2 = {\n\t// eslint-disable-next-line no-undef\n\tversion: \"0.4.4\",\n\tinstall: install$1\n};\n\n// Auto-install\nvar GlobalVue$1 = null;\nif (typeof window !== 'undefined') {\n\tGlobalVue$1 = window.Vue;\n} else if (typeof global !== 'undefined') {\n\tGlobalVue$1 = global.Vue;\n}\nif (GlobalVue$1) {\n\tGlobalVue$1.use(plugin$2);\n}\n\nfunction getDefault(key) {\n\tvar value = directive.options.popover[key];\n\tif (typeof value === 'undefined') {\n\t\treturn directive.options[key];\n\t}\n\treturn value;\n}\n\nvar isIOS = false;\nif (typeof window !== 'undefined' && typeof navigator !== 'undefined') {\n\tisIOS = /iPad|iPhone|iPod/.test(navigator.userAgent) && !window.MSStream;\n}\n\nvar openPopovers = [];\n\nvar Element = function Element() {};\nif (typeof window !== 'undefined') {\n\tElement = window.Element;\n}\n\nvar Popover = { render: function render() {\n\t\tvar _vm = this;var _h = _vm.$createElement;var _c = _vm._self._c || _h;return _c('div', { staticClass: \"v-popover\", class: _vm.cssClass }, [_c('span', { ref: \"trigger\", staticClass: \"trigger\", staticStyle: { \"display\": \"inline-block\" }, attrs: { \"aria-describedby\": _vm.popoverId, \"tabindex\": _vm.trigger.indexOf('focus') !== -1 ? 0 : -1 } }, [_vm._t(\"default\")], 2), _vm._v(\" \"), _c('div', { ref: \"popover\", class: [_vm.popoverBaseClass, _vm.popoverClass, _vm.cssClass], style: {\n\t\t\t\tvisibility: _vm.isOpen ? 'visible' : 'hidden'\n\t\t\t}, attrs: { \"id\": _vm.popoverId, \"aria-hidden\": _vm.isOpen ? 'false' : 'true' } }, [_c('div', { class: _vm.popoverWrapperClass }, [_c('div', { ref: \"inner\", class: _vm.popoverInnerClass, staticStyle: { \"position\": \"relative\" } }, [_c('div', [_vm._t(\"popover\")], 2), _vm._v(\" \"), _vm.handleResize ? _c('ResizeObserver', { on: { \"notify\": _vm.$_handleResize } }) : _vm._e()], 1), _vm._v(\" \"), _c('div', { ref: \"arrow\", class: _vm.popoverArrowClass })])])]);\n\t}, staticRenderFns: [],\n\tname: 'VPopover',\n\n\tcomponents: {\n\t\tResizeObserver: ResizeObserver\n\t},\n\n\tprops: {\n\t\topen: {\n\t\t\ttype: Boolean,\n\t\t\tdefault: false\n\t\t},\n\t\tdisabled: {\n\t\t\ttype: Boolean,\n\t\t\tdefault: false\n\t\t},\n\t\tplacement: {\n\t\t\ttype: String,\n\t\t\tdefault: function _default() {\n\t\t\t\treturn getDefault('defaultPlacement');\n\t\t\t}\n\t\t},\n\t\tdelay: {\n\t\t\ttype: [String, Number, Object],\n\t\t\tdefault: function _default() {\n\t\t\t\treturn getDefault('defaultDelay');\n\t\t\t}\n\t\t},\n\t\toffset: {\n\t\t\ttype: [String, Number],\n\t\t\tdefault: function _default() {\n\t\t\t\treturn getDefault('defaultOffset');\n\t\t\t}\n\t\t},\n\t\ttrigger: {\n\t\t\ttype: String,\n\t\t\tdefault: function _default() {\n\t\t\t\treturn getDefault('defaultTrigger');\n\t\t\t}\n\t\t},\n\t\tcontainer: {\n\t\t\ttype: [String, Object, Element, Boolean],\n\t\t\tdefault: function _default() {\n\t\t\t\treturn getDefault('defaultContainer');\n\t\t\t}\n\t\t},\n\t\tboundariesElement: {\n\t\t\ttype: [String, Element],\n\t\t\tdefault: function _default() {\n\t\t\t\treturn getDefault('defaultBoundariesElement');\n\t\t\t}\n\t\t},\n\t\tpopperOptions: {\n\t\t\ttype: Object,\n\t\t\tdefault: function _default() {\n\t\t\t\treturn getDefault('defaultPopperOptions');\n\t\t\t}\n\t\t},\n\t\tpopoverClass: {\n\t\t\ttype: [String, Array],\n\t\t\tdefault: function _default() {\n\t\t\t\treturn getDefault('defaultClass');\n\t\t\t}\n\t\t},\n\t\tpopoverBaseClass: {\n\t\t\ttype: [String, Array],\n\t\t\tdefault: function _default() {\n\t\t\t\treturn directive.options.popover.defaultBaseClass;\n\t\t\t}\n\t\t},\n\t\tpopoverInnerClass: {\n\t\t\ttype: [String, Array],\n\t\t\tdefault: function _default() {\n\t\t\t\treturn directive.options.popover.defaultInnerClass;\n\t\t\t}\n\t\t},\n\t\tpopoverWrapperClass: {\n\t\t\ttype: [String, Array],\n\t\t\tdefault: function _default() {\n\t\t\t\treturn directive.options.popover.defaultWrapperClass;\n\t\t\t}\n\t\t},\n\t\tpopoverArrowClass: {\n\t\t\ttype: [String, Array],\n\t\t\tdefault: function _default() {\n\t\t\t\treturn directive.options.popover.defaultArrowClass;\n\t\t\t}\n\t\t},\n\t\tautoHide: {\n\t\t\ttype: Boolean,\n\t\t\tdefault: function _default() {\n\t\t\t\treturn directive.options.popover.defaultAutoHide;\n\t\t\t}\n\t\t},\n\t\thandleResize: {\n\t\t\ttype: Boolean,\n\t\t\tdefault: function _default() {\n\t\t\t\treturn directive.options.popover.defaultHandleResize;\n\t\t\t}\n\t\t},\n\t\topenGroup: {\n\t\t\ttype: String,\n\t\t\tdefault: null\n\t\t}\n\t},\n\n\tdata: function data() {\n\t\treturn {\n\t\t\tisOpen: false,\n\t\t\tid: Math.random().toString(36).substr(2, 10)\n\t\t};\n\t},\n\n\n\tcomputed: {\n\t\tcssClass: function cssClass() {\n\t\t\treturn {\n\t\t\t\t'open': this.isOpen\n\t\t\t};\n\t\t},\n\t\tpopoverId: function popoverId() {\n\t\t\treturn 'popover_' + this.id;\n\t\t}\n\t},\n\n\twatch: {\n\t\topen: function open(val) {\n\t\t\tif (val) {\n\t\t\t\tthis.show();\n\t\t\t} else {\n\t\t\t\tthis.hide();\n\t\t\t}\n\t\t},\n\t\tdisabled: function disabled(val, oldVal) {\n\t\t\tif (val !== oldVal) {\n\t\t\t\tif (val) {\n\t\t\t\t\tthis.hide();\n\t\t\t\t} else if (this.open) {\n\t\t\t\t\tthis.show();\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\t\tcontainer: function container(val) {\n\t\t\tif (this.isOpen && this.popperInstance) {\n\t\t\t\tvar popoverNode = this.$refs.popover;\n\t\t\t\tvar reference = this.$refs.trigger;\n\n\t\t\t\tvar container = this.$_findContainer(this.container, reference);\n\t\t\t\tif (!container) {\n\t\t\t\t\tconsole.warn('No container for popover', this);\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\tcontainer.appendChild(popoverNode);\n\t\t\t\tthis.popperInstance.scheduleUpdate();\n\t\t\t}\n\t\t},\n\t\ttrigger: function trigger(val) {\n\t\t\tthis.$_removeEventListeners();\n\t\t\tthis.$_addEventListeners();\n\t\t},\n\t\tplacement: function placement(val) {\n\t\t\tvar _this = this;\n\n\t\t\tthis.$_updatePopper(function () {\n\t\t\t\t_this.popperInstance.options.placement = val;\n\t\t\t});\n\t\t},\n\n\n\t\toffset: '$_restartPopper',\n\n\t\tboundariesElement: '$_restartPopper',\n\n\t\tpopperOptions: {\n\t\t\thandler: '$_restartPopper',\n\t\t\tdeep: true\n\t\t}\n\t},\n\n\tcreated: function created() {\n\t\tthis.$_isDisposed = false;\n\t\tthis.$_mounted = false;\n\t\tthis.$_events = [];\n\t\tthis.$_preventOpen = false;\n\t},\n\tmounted: function mounted() {\n\t\tvar popoverNode = this.$refs.popover;\n\t\tpopoverNode.parentNode && popoverNode.parentNode.removeChild(popoverNode);\n\n\t\tthis.$_init();\n\n\t\tif (this.open) {\n\t\t\tthis.show();\n\t\t}\n\t},\n\tbeforeDestroy: function beforeDestroy() {\n\t\tthis.dispose();\n\t},\n\n\n\tmethods: {\n\t\tshow: function show() {\n\t\t\tvar _this2 = this;\n\n\t\t\tvar _ref = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {},\n\t\t\t event = _ref.event,\n\t\t\t _ref$skipDelay = _ref.skipDelay,\n\t\t\t skipDelay = _ref$skipDelay === undefined ? false : _ref$skipDelay,\n\t\t\t _ref$force = _ref.force,\n\t\t\t force = _ref$force === undefined ? false : _ref$force;\n\n\t\t\tif (force || !this.disabled) {\n\t\t\t\tthis.$_scheduleShow(event);\n\t\t\t\tthis.$emit('show');\n\t\t\t}\n\t\t\tthis.$emit('update:open', true);\n\t\t\tthis.$_beingShowed = true;\n\t\t\trequestAnimationFrame(function () {\n\t\t\t\t_this2.$_beingShowed = false;\n\t\t\t});\n\t\t},\n\t\thide: function hide() {\n\t\t\tvar _ref2 = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {},\n\t\t\t event = _ref2.event,\n\t\t\t _ref2$skipDelay = _ref2.skipDelay;\n\n\t\t\tthis.$_scheduleHide(event);\n\n\t\t\tthis.$emit('hide');\n\t\t\tthis.$emit('update:open', false);\n\t\t},\n\t\tdispose: function dispose() {\n\t\t\tthis.$_isDisposed = true;\n\t\t\tthis.$_removeEventListeners();\n\t\t\tthis.hide({ skipDelay: true });\n\t\t\tif (this.popperInstance) {\n\t\t\t\tthis.popperInstance.destroy();\n\n\t\t\t\t// destroy tooltipNode if removeOnDestroy is not set, as popperInstance.destroy() already removes the element\n\t\t\t\tif (!this.popperInstance.options.removeOnDestroy) {\n\t\t\t\t\tvar popoverNode = this.$refs.popover;\n\t\t\t\t\tpopoverNode.parentNode && popoverNode.parentNode.removeChild(popoverNode);\n\t\t\t\t}\n\t\t\t}\n\t\t\tthis.$_mounted = false;\n\t\t\tthis.popperInstance = null;\n\t\t\tthis.isOpen = false;\n\n\t\t\tthis.$emit('dispose');\n\t\t},\n\t\t$_init: function $_init() {\n\t\t\tif (this.trigger.indexOf('manual') === -1) {\n\t\t\t\tthis.$_addEventListeners();\n\t\t\t}\n\t\t},\n\t\t$_show: function $_show() {\n\t\t\tvar _this3 = this;\n\n\t\t\tvar reference = this.$refs.trigger;\n\t\t\tvar popoverNode = this.$refs.popover;\n\n\t\t\tclearTimeout(this.$_disposeTimer);\n\n\t\t\t// Already open\n\t\t\tif (this.isOpen) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// Popper is already initialized\n\t\t\tif (this.popperInstance) {\n\t\t\t\tthis.isOpen = true;\n\t\t\t\tthis.popperInstance.enableEventListeners();\n\t\t\t\tthis.popperInstance.scheduleUpdate();\n\t\t\t}\n\n\t\t\tif (!this.$_mounted) {\n\t\t\t\tvar container = this.$_findContainer(this.container, reference);\n\t\t\t\tif (!container) {\n\t\t\t\t\tconsole.warn('No container for popover', this);\n\t\t\t\t\treturn;\n\t\t\t\t}\n\t\t\t\tcontainer.appendChild(popoverNode);\n\t\t\t\tthis.$_mounted = true;\n\t\t\t}\n\n\t\t\tif (!this.popperInstance) {\n\t\t\t\tvar popperOptions = _extends$1({}, this.popperOptions, {\n\t\t\t\t\tplacement: this.placement\n\t\t\t\t});\n\n\t\t\t\tpopperOptions.modifiers = _extends$1({}, popperOptions.modifiers, {\n\t\t\t\t\tarrow: _extends$1({}, popperOptions.modifiers && popperOptions.modifiers.arrow, {\n\t\t\t\t\t\telement: this.$refs.arrow\n\t\t\t\t\t})\n\t\t\t\t});\n\n\t\t\t\tif (this.offset) {\n\t\t\t\t\tvar offset = this.$_getOffset();\n\n\t\t\t\t\tpopperOptions.modifiers.offset = _extends$1({}, popperOptions.modifiers && popperOptions.modifiers.offset, {\n\t\t\t\t\t\toffset: offset\n\t\t\t\t\t});\n\t\t\t\t}\n\n\t\t\t\tif (this.boundariesElement) {\n\t\t\t\t\tpopperOptions.modifiers.preventOverflow = _extends$1({}, popperOptions.modifiers && popperOptions.modifiers.preventOverflow, {\n\t\t\t\t\t\tboundariesElement: this.boundariesElement\n\t\t\t\t\t});\n\t\t\t\t}\n\n\t\t\t\tthis.popperInstance = new Popper(reference, popoverNode, popperOptions);\n\n\t\t\t\t// Fix position\n\t\t\t\trequestAnimationFrame(function () {\n\t\t\t\t\tif (!_this3.$_isDisposed && _this3.popperInstance) {\n\t\t\t\t\t\t_this3.popperInstance.scheduleUpdate();\n\n\t\t\t\t\t\t// Show the tooltip\n\t\t\t\t\t\trequestAnimationFrame(function () {\n\t\t\t\t\t\t\tif (!_this3.$_isDisposed) {\n\t\t\t\t\t\t\t\t_this3.isOpen = true;\n\t\t\t\t\t\t\t} else {\n\t\t\t\t\t\t\t\t_this3.dispose();\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t});\n\t\t\t\t\t} else {\n\t\t\t\t\t\t_this3.dispose();\n\t\t\t\t\t}\n\t\t\t\t});\n\t\t\t}\n\n\t\t\tvar openGroup = this.openGroup;\n\t\t\tif (openGroup) {\n\t\t\t\tvar popover = void 0;\n\t\t\t\tfor (var i = 0; i < openPopovers.length; i++) {\n\t\t\t\t\tpopover = openPopovers[i];\n\t\t\t\t\tif (popover.openGroup !== openGroup) {\n\t\t\t\t\t\tpopover.hide();\n\t\t\t\t\t\tpopover.$emit('close-group');\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\n\t\t\topenPopovers.push(this);\n\n\t\t\tthis.$emit('apply-show');\n\t\t},\n\t\t$_hide: function $_hide() {\n\t\t\tvar _this4 = this;\n\n\t\t\t// Already hidden\n\t\t\tif (!this.isOpen) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tvar index = openPopovers.indexOf(this);\n\t\t\tif (index !== -1) {\n\t\t\t\topenPopovers.splice(index, 1);\n\t\t\t}\n\n\t\t\tthis.isOpen = false;\n\t\t\tif (this.popperInstance) {\n\t\t\t\tthis.popperInstance.disableEventListeners();\n\t\t\t}\n\n\t\t\tclearTimeout(this.$_disposeTimer);\n\t\t\tvar disposeTime = directive.options.popover.disposeTimeout || directive.options.disposeTimeout;\n\t\t\tif (disposeTime !== null) {\n\t\t\t\tthis.$_disposeTimer = setTimeout(function () {\n\t\t\t\t\tvar popoverNode = _this4.$refs.popover;\n\t\t\t\t\tif (popoverNode) {\n\t\t\t\t\t\t// Don't remove popper instance, just the HTML element\n\t\t\t\t\t\tpopoverNode.parentNode && popoverNode.parentNode.removeChild(popoverNode);\n\t\t\t\t\t\t_this4.$_mounted = false;\n\t\t\t\t\t}\n\t\t\t\t}, disposeTime);\n\t\t\t}\n\n\t\t\tthis.$emit('apply-hide');\n\t\t},\n\t\t$_findContainer: function $_findContainer(container, reference) {\n\t\t\t// if container is a query, get the relative element\n\t\t\tif (typeof container === 'string') {\n\t\t\t\tcontainer = window.document.querySelector(container);\n\t\t\t} else if (container === false) {\n\t\t\t\t// if container is `false`, set it to reference parent\n\t\t\t\tcontainer = reference.parentNode;\n\t\t\t}\n\t\t\treturn container;\n\t\t},\n\t\t$_getOffset: function $_getOffset() {\n\t\t\tvar typeofOffset = _typeof(this.offset);\n\t\t\tvar offset = this.offset;\n\n\t\t\t// One value -> switch\n\t\t\tif (typeofOffset === 'number' || typeofOffset === 'string' && offset.indexOf(',') === -1) {\n\t\t\t\toffset = '0, ' + offset;\n\t\t\t}\n\n\t\t\treturn offset;\n\t\t},\n\t\t$_addEventListeners: function $_addEventListeners() {\n\t\t\tvar _this5 = this;\n\n\t\t\tvar reference = this.$refs.trigger;\n\t\t\tvar directEvents = [];\n\t\t\tvar oppositeEvents = [];\n\n\t\t\tvar events = typeof this.trigger === 'string' ? this.trigger.split(' ').filter(function (trigger) {\n\t\t\t\treturn ['click', 'hover', 'focus'].indexOf(trigger) !== -1;\n\t\t\t}) : [];\n\n\t\t\tevents.forEach(function (event) {\n\t\t\t\tswitch (event) {\n\t\t\t\t\tcase 'hover':\n\t\t\t\t\t\tdirectEvents.push('mouseenter');\n\t\t\t\t\t\toppositeEvents.push('mouseleave');\n\t\t\t\t\t\tbreak;\n\t\t\t\t\tcase 'focus':\n\t\t\t\t\t\tdirectEvents.push('focus');\n\t\t\t\t\t\toppositeEvents.push('blur');\n\t\t\t\t\t\tbreak;\n\t\t\t\t\tcase 'click':\n\t\t\t\t\t\tdirectEvents.push('click');\n\t\t\t\t\t\toppositeEvents.push('click');\n\t\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t});\n\n\t\t\t// schedule show tooltip\n\t\t\tdirectEvents.forEach(function (event) {\n\t\t\t\tvar func = function func(event) {\n\t\t\t\t\tif (_this5.isOpen) {\n\t\t\t\t\t\treturn;\n\t\t\t\t\t}\n\t\t\t\t\tevent.usedByTooltip = true;\n\t\t\t\t\t!_this5.$_preventOpen && _this5.show({ event: event });\n\t\t\t\t};\n\t\t\t\t_this5.$_events.push({ event: event, func: func });\n\t\t\t\treference.addEventListener(event, func);\n\t\t\t});\n\n\t\t\t// schedule hide tooltip\n\t\t\toppositeEvents.forEach(function (event) {\n\t\t\t\tvar func = function func(event) {\n\t\t\t\t\tif (event.usedByTooltip) {\n\t\t\t\t\t\treturn;\n\t\t\t\t\t}\n\t\t\t\t\t_this5.hide({ event: event });\n\t\t\t\t};\n\t\t\t\t_this5.$_events.push({ event: event, func: func });\n\t\t\t\treference.addEventListener(event, func);\n\t\t\t});\n\t\t},\n\t\t$_scheduleShow: function $_scheduleShow() {\n\t\t\tvar skipDelay = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : false;\n\n\t\t\tclearTimeout(this.$_scheduleTimer);\n\t\t\tif (skipDelay) {\n\t\t\t\tthis.$_show();\n\t\t\t} else {\n\t\t\t\t// defaults to 0\n\t\t\t\tvar computedDelay = parseInt(this.delay && this.delay.show || this.delay || 0);\n\t\t\t\tthis.$_scheduleTimer = setTimeout(this.$_show.bind(this), computedDelay);\n\t\t\t}\n\t\t},\n\t\t$_scheduleHide: function $_scheduleHide() {\n\t\t\tvar _this6 = this;\n\n\t\t\tvar event = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : null;\n\t\t\tvar skipDelay = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : false;\n\n\t\t\tclearTimeout(this.$_scheduleTimer);\n\t\t\tif (skipDelay) {\n\t\t\t\tthis.$_hide();\n\t\t\t} else {\n\t\t\t\t// defaults to 0\n\t\t\t\tvar computedDelay = parseInt(this.delay && this.delay.hide || this.delay || 0);\n\t\t\t\tthis.$_scheduleTimer = setTimeout(function () {\n\t\t\t\t\tif (!_this6.isOpen) {\n\t\t\t\t\t\treturn;\n\t\t\t\t\t}\n\n\t\t\t\t\t// if we are hiding because of a mouseleave, we must check that the new\n\t\t\t\t\t// reference isn't the tooltip, because in this case we don't want to hide it\n\t\t\t\t\tif (event && event.type === 'mouseleave') {\n\t\t\t\t\t\tvar isSet = _this6.$_setTooltipNodeEvent(event);\n\n\t\t\t\t\t\t// if we set the new event, don't hide the tooltip yet\n\t\t\t\t\t\t// the new event will take care to hide it if necessary\n\t\t\t\t\t\tif (isSet) {\n\t\t\t\t\t\t\treturn;\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\n\t\t\t\t\t_this6.$_hide();\n\t\t\t\t}, computedDelay);\n\t\t\t}\n\t\t},\n\t\t$_setTooltipNodeEvent: function $_setTooltipNodeEvent(event) {\n\t\t\tvar _this7 = this;\n\n\t\t\tvar reference = this.$refs.trigger;\n\t\t\tvar popoverNode = this.$refs.popover;\n\n\t\t\tvar relatedreference = event.relatedreference || event.toElement || event.relatedTarget;\n\n\t\t\tvar callback = function callback(event2) {\n\t\t\t\tvar relatedreference2 = event2.relatedreference || event2.toElement || event2.relatedTarget;\n\n\t\t\t\t// Remove event listener after call\n\t\t\t\tpopoverNode.removeEventListener(event.type, callback);\n\n\t\t\t\t// If the new reference is not the reference element\n\t\t\t\tif (!reference.contains(relatedreference2)) {\n\t\t\t\t\t// Schedule to hide tooltip\n\t\t\t\t\t_this7.hide({ event: event2 });\n\t\t\t\t}\n\t\t\t};\n\n\t\t\tif (popoverNode.contains(relatedreference)) {\n\t\t\t\t// listen to mouseleave on the tooltip element to be able to hide the tooltip\n\t\t\t\tpopoverNode.addEventListener(event.type, callback);\n\t\t\t\treturn true;\n\t\t\t}\n\n\t\t\treturn false;\n\t\t},\n\t\t$_removeEventListeners: function $_removeEventListeners() {\n\t\t\tvar reference = this.$refs.trigger;\n\t\t\tthis.$_events.forEach(function (_ref3) {\n\t\t\t\tvar func = _ref3.func,\n\t\t\t\t event = _ref3.event;\n\n\t\t\t\treference.removeEventListener(event, func);\n\t\t\t});\n\t\t\tthis.$_events = [];\n\t\t},\n\t\t$_updatePopper: function $_updatePopper(cb) {\n\t\t\tif (this.popperInstance) {\n\t\t\t\tcb();\n\t\t\t\tif (this.isOpen) this.popperInstance.scheduleUpdate();\n\t\t\t}\n\t\t},\n\t\t$_restartPopper: function $_restartPopper() {\n\t\t\tif (this.popperInstance) {\n\t\t\t\tvar isOpen = this.isOpen;\n\t\t\t\tthis.dispose();\n\t\t\t\tthis.$_isDisposed = false;\n\t\t\t\tthis.$_init();\n\t\t\t\tif (isOpen) {\n\t\t\t\t\tthis.show({ skipDelay: true, force: true });\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\t\t$_handleGlobalClose: function $_handleGlobalClose(event) {\n\t\t\tvar _this8 = this;\n\n\t\t\tvar touch = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : false;\n\n\t\t\tif (this.$_beingShowed) return;\n\n\t\t\tthis.hide({ event: event });\n\n\t\t\tif (event.closePopover) {\n\t\t\t\tthis.$emit('close-directive');\n\t\t\t} else {\n\t\t\t\tthis.$emit('auto-hide');\n\t\t\t}\n\n\t\t\tif (touch) {\n\t\t\t\tthis.$_preventOpen = true;\n\t\t\t\tsetTimeout(function () {\n\t\t\t\t\t_this8.$_preventOpen = false;\n\t\t\t\t}, 300);\n\t\t\t}\n\t\t},\n\t\t$_handleResize: function $_handleResize() {\n\t\t\tif (this.isOpen && this.popperInstance) {\n\t\t\t\tthis.popperInstance.scheduleUpdate();\n\t\t\t\tthis.$emit('resize');\n\t\t\t}\n\t\t}\n\t}\n};\n\nif (typeof document !== 'undefined' && typeof window !== 'undefined') {\n\tif (isIOS) {\n\t\tdocument.addEventListener('touchend', handleGlobalTouchend, supportsPassive ? {\n\t\t\tpassive: true,\n\t\t\tcapture: true\n\t\t} : true);\n\t} else {\n\t\twindow.addEventListener('click', handleGlobalClick, true);\n\t}\n}\n\nfunction handleGlobalClick(event) {\n\thandleGlobalClose(event);\n}\n\nfunction handleGlobalTouchend(event) {\n\thandleGlobalClose(event, true);\n}\n\nfunction handleGlobalClose(event) {\n\tvar touch = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : false;\n\n\t// Delay so that close directive has time to set values\n\trequestAnimationFrame(function () {\n\t\tvar popover = void 0;\n\t\tfor (var i = 0; i < openPopovers.length; i++) {\n\t\t\tpopover = openPopovers[i];\n\t\t\tif (popover.$refs.popover) {\n\t\t\t\tvar contains = popover.$refs.popover.contains(event.target);\n\t\t\t\tif (event.closeAllPopover || event.closePopover && contains || popover.autoHide && !contains) {\n\t\t\t\t\tpopover.$_handleGlobalClose(event, touch);\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t});\n}\n\nvar commonjsGlobal = typeof window !== 'undefined' ? window : typeof global !== 'undefined' ? global : typeof self !== 'undefined' ? self : {};\n\n\n\n\n\nfunction createCommonjsModule(fn, module) {\n\treturn module = { exports: {} }, fn(module, module.exports), module.exports;\n}\n\nvar lodash_merge = createCommonjsModule(function (module, exports) {\n/**\n * Lodash (Custom Build) \n * Build: `lodash modularize exports=\"npm\" -o ./`\n * Copyright JS Foundation and other contributors \n * Released under MIT license \n * Based on Underscore.js 1.8.3 \n * Copyright Jeremy Ashkenas, DocumentCloud and Investigative Reporters & Editors\n */\n\n/** Used as the size to enable large array optimizations. */\nvar LARGE_ARRAY_SIZE = 200;\n\n/** Used to stand-in for `undefined` hash values. */\nvar HASH_UNDEFINED = '__lodash_hash_undefined__';\n\n/** Used to detect hot functions by number of calls within a span of milliseconds. */\nvar HOT_COUNT = 800,\n HOT_SPAN = 16;\n\n/** Used as references for various `Number` constants. */\nvar MAX_SAFE_INTEGER = 9007199254740991;\n\n/** `Object#toString` result references. */\nvar argsTag = '[object Arguments]',\n arrayTag = '[object Array]',\n asyncTag = '[object AsyncFunction]',\n boolTag = '[object Boolean]',\n dateTag = '[object Date]',\n errorTag = '[object Error]',\n funcTag = '[object Function]',\n genTag = '[object GeneratorFunction]',\n mapTag = '[object Map]',\n numberTag = '[object Number]',\n nullTag = '[object Null]',\n objectTag = '[object Object]',\n proxyTag = '[object Proxy]',\n regexpTag = '[object RegExp]',\n setTag = '[object Set]',\n stringTag = '[object String]',\n undefinedTag = '[object Undefined]',\n weakMapTag = '[object WeakMap]';\n\nvar arrayBufferTag = '[object ArrayBuffer]',\n dataViewTag = '[object DataView]',\n float32Tag = '[object Float32Array]',\n float64Tag = '[object Float64Array]',\n int8Tag = '[object Int8Array]',\n int16Tag = '[object Int16Array]',\n int32Tag = '[object Int32Array]',\n uint8Tag = '[object Uint8Array]',\n uint8ClampedTag = '[object Uint8ClampedArray]',\n uint16Tag = '[object Uint16Array]',\n uint32Tag = '[object Uint32Array]';\n\n/**\n * Used to match `RegExp`\n * [syntax characters](http://ecma-international.org/ecma-262/7.0/#sec-patterns).\n */\nvar reRegExpChar = /[\\\\^$.*+?()[\\]{}|]/g;\n\n/** Used to detect host constructors (Safari). */\nvar reIsHostCtor = /^\\[object .+?Constructor\\]$/;\n\n/** Used to detect unsigned integer values. */\nvar reIsUint = /^(?:0|[1-9]\\d*)$/;\n\n/** Used to identify `toStringTag` values of typed arrays. */\nvar typedArrayTags = {};\ntypedArrayTags[float32Tag] = typedArrayTags[float64Tag] =\ntypedArrayTags[int8Tag] = typedArrayTags[int16Tag] =\ntypedArrayTags[int32Tag] = typedArrayTags[uint8Tag] =\ntypedArrayTags[uint8ClampedTag] = typedArrayTags[uint16Tag] =\ntypedArrayTags[uint32Tag] = true;\ntypedArrayTags[argsTag] = typedArrayTags[arrayTag] =\ntypedArrayTags[arrayBufferTag] = typedArrayTags[boolTag] =\ntypedArrayTags[dataViewTag] = typedArrayTags[dateTag] =\ntypedArrayTags[errorTag] = typedArrayTags[funcTag] =\ntypedArrayTags[mapTag] = typedArrayTags[numberTag] =\ntypedArrayTags[objectTag] = typedArrayTags[regexpTag] =\ntypedArrayTags[setTag] = typedArrayTags[stringTag] =\ntypedArrayTags[weakMapTag] = false;\n\n/** Detect free variable `global` from Node.js. */\nvar freeGlobal = typeof commonjsGlobal == 'object' && commonjsGlobal && commonjsGlobal.Object === Object && commonjsGlobal;\n\n/** Detect free variable `self`. */\nvar freeSelf = typeof self == 'object' && self && self.Object === Object && self;\n\n/** Used as a reference to the global object. */\nvar root = freeGlobal || freeSelf || Function('return this')();\n\n/** Detect free variable `exports`. */\nvar freeExports = 'object' == 'object' && exports && !exports.nodeType && exports;\n\n/** Detect free variable `module`. */\nvar freeModule = freeExports && 'object' == 'object' && module && !module.nodeType && module;\n\n/** Detect the popular CommonJS extension `module.exports`. */\nvar moduleExports = freeModule && freeModule.exports === freeExports;\n\n/** Detect free variable `process` from Node.js. */\nvar freeProcess = moduleExports && freeGlobal.process;\n\n/** Used to access faster Node.js helpers. */\nvar nodeUtil = (function() {\n try {\n return freeProcess && freeProcess.binding && freeProcess.binding('util');\n } catch (e) {}\n}());\n\n/* Node.js helper references. */\nvar nodeIsTypedArray = nodeUtil && nodeUtil.isTypedArray;\n\n/**\n * A faster alternative to `Function#apply`, this function invokes `func`\n * with the `this` binding of `thisArg` and the arguments of `args`.\n *\n * @private\n * @param {Function} func The function to invoke.\n * @param {*} thisArg The `this` binding of `func`.\n * @param {Array} args The arguments to invoke `func` with.\n * @returns {*} Returns the result of `func`.\n */\nfunction apply(func, thisArg, args) {\n switch (args.length) {\n case 0: return func.call(thisArg);\n case 1: return func.call(thisArg, args[0]);\n case 2: return func.call(thisArg, args[0], args[1]);\n case 3: return func.call(thisArg, args[0], args[1], args[2]);\n }\n return func.apply(thisArg, args);\n}\n\n/**\n * The base implementation of `_.times` without support for iteratee shorthands\n * or max array length checks.\n *\n * @private\n * @param {number} n The number of times to invoke `iteratee`.\n * @param {Function} iteratee The function invoked per iteration.\n * @returns {Array} Returns the array of results.\n */\nfunction baseTimes(n, iteratee) {\n var index = -1,\n result = Array(n);\n\n while (++index < n) {\n result[index] = iteratee(index);\n }\n return result;\n}\n\n/**\n * The base implementation of `_.unary` without support for storing metadata.\n *\n * @private\n * @param {Function} func The function to cap arguments for.\n * @returns {Function} Returns the new capped function.\n */\nfunction baseUnary(func) {\n return function(value) {\n return func(value);\n };\n}\n\n/**\n * Gets the value at `key` of `object`.\n *\n * @private\n * @param {Object} [object] The object to query.\n * @param {string} key The key of the property to get.\n * @returns {*} Returns the property value.\n */\nfunction getValue(object, key) {\n return object == null ? undefined : object[key];\n}\n\n/**\n * Creates a unary function that invokes `func` with its argument transformed.\n *\n * @private\n * @param {Function} func The function to wrap.\n * @param {Function} transform The argument transform.\n * @returns {Function} Returns the new function.\n */\nfunction overArg(func, transform) {\n return function(arg) {\n return func(transform(arg));\n };\n}\n\n/**\n * Gets the value at `key`, unless `key` is \"__proto__\".\n *\n * @private\n * @param {Object} object The object to query.\n * @param {string} key The key of the property to get.\n * @returns {*} Returns the property value.\n */\nfunction safeGet(object, key) {\n return key == '__proto__'\n ? undefined\n : object[key];\n}\n\n/** Used for built-in method references. */\nvar arrayProto = Array.prototype,\n funcProto = Function.prototype,\n objectProto = Object.prototype;\n\n/** Used to detect overreaching core-js shims. */\nvar coreJsData = root['__core-js_shared__'];\n\n/** Used to resolve the decompiled source of functions. */\nvar funcToString = funcProto.toString;\n\n/** Used to check objects for own properties. */\nvar hasOwnProperty = objectProto.hasOwnProperty;\n\n/** Used to detect methods masquerading as native. */\nvar maskSrcKey = (function() {\n var uid = /[^.]+$/.exec(coreJsData && coreJsData.keys && coreJsData.keys.IE_PROTO || '');\n return uid ? ('Symbol(src)_1.' + uid) : '';\n}());\n\n/**\n * Used to resolve the\n * [`toStringTag`](http://ecma-international.org/ecma-262/7.0/#sec-object.prototype.tostring)\n * of values.\n */\nvar nativeObjectToString = objectProto.toString;\n\n/** Used to infer the `Object` constructor. */\nvar objectCtorString = funcToString.call(Object);\n\n/** Used to detect if a method is native. */\nvar reIsNative = RegExp('^' +\n funcToString.call(hasOwnProperty).replace(reRegExpChar, '\\\\$&')\n .replace(/hasOwnProperty|(function).*?(?=\\\\\\()| for .+?(?=\\\\\\])/g, '$1.*?') + '$'\n);\n\n/** Built-in value references. */\nvar Buffer = moduleExports ? root.Buffer : undefined,\n Symbol = root.Symbol,\n Uint8Array = root.Uint8Array,\n allocUnsafe = Buffer ? Buffer.allocUnsafe : undefined,\n getPrototype = overArg(Object.getPrototypeOf, Object),\n objectCreate = Object.create,\n propertyIsEnumerable = objectProto.propertyIsEnumerable,\n splice = arrayProto.splice,\n symToStringTag = Symbol ? Symbol.toStringTag : undefined;\n\nvar defineProperty = (function() {\n try {\n var func = getNative(Object, 'defineProperty');\n func({}, '', {});\n return func;\n } catch (e) {}\n}());\n\n/* Built-in method references for those with the same name as other `lodash` methods. */\nvar nativeIsBuffer = Buffer ? Buffer.isBuffer : undefined,\n nativeMax = Math.max,\n nativeNow = Date.now;\n\n/* Built-in method references that are verified to be native. */\nvar Map = getNative(root, 'Map'),\n nativeCreate = getNative(Object, 'create');\n\n/**\n * The base implementation of `_.create` without support for assigning\n * properties to the created object.\n *\n * @private\n * @param {Object} proto The object to inherit from.\n * @returns {Object} Returns the new object.\n */\nvar baseCreate = (function() {\n function object() {}\n return function(proto) {\n if (!isObject(proto)) {\n return {};\n }\n if (objectCreate) {\n return objectCreate(proto);\n }\n object.prototype = proto;\n var result = new object;\n object.prototype = undefined;\n return result;\n };\n}());\n\n/**\n * Creates a hash object.\n *\n * @private\n * @constructor\n * @param {Array} [entries] The key-value pairs to cache.\n */\nfunction Hash(entries) {\n var index = -1,\n length = entries == null ? 0 : entries.length;\n\n this.clear();\n while (++index < length) {\n var entry = entries[index];\n this.set(entry[0], entry[1]);\n }\n}\n\n/**\n * Removes all key-value entries from the hash.\n *\n * @private\n * @name clear\n * @memberOf Hash\n */\nfunction hashClear() {\n this.__data__ = nativeCreate ? nativeCreate(null) : {};\n this.size = 0;\n}\n\n/**\n * Removes `key` and its value from the hash.\n *\n * @private\n * @name delete\n * @memberOf Hash\n * @param {Object} hash The hash to modify.\n * @param {string} key The key of the value to remove.\n * @returns {boolean} Returns `true` if the entry was removed, else `false`.\n */\nfunction hashDelete(key) {\n var result = this.has(key) && delete this.__data__[key];\n this.size -= result ? 1 : 0;\n return result;\n}\n\n/**\n * Gets the hash value for `key`.\n *\n * @private\n * @name get\n * @memberOf Hash\n * @param {string} key The key of the value to get.\n * @returns {*} Returns the entry value.\n */\nfunction hashGet(key) {\n var data = this.__data__;\n if (nativeCreate) {\n var result = data[key];\n return result === HASH_UNDEFINED ? undefined : result;\n }\n return hasOwnProperty.call(data, key) ? data[key] : undefined;\n}\n\n/**\n * Checks if a hash value for `key` exists.\n *\n * @private\n * @name has\n * @memberOf Hash\n * @param {string} key The key of the entry to check.\n * @returns {boolean} Returns `true` if an entry for `key` exists, else `false`.\n */\nfunction hashHas(key) {\n var data = this.__data__;\n return nativeCreate ? (data[key] !== undefined) : hasOwnProperty.call(data, key);\n}\n\n/**\n * Sets the hash `key` to `value`.\n *\n * @private\n * @name set\n * @memberOf Hash\n * @param {string} key The key of the value to set.\n * @param {*} value The value to set.\n * @returns {Object} Returns the hash instance.\n */\nfunction hashSet(key, value) {\n var data = this.__data__;\n this.size += this.has(key) ? 0 : 1;\n data[key] = (nativeCreate && value === undefined) ? HASH_UNDEFINED : value;\n return this;\n}\n\n// Add methods to `Hash`.\nHash.prototype.clear = hashClear;\nHash.prototype['delete'] = hashDelete;\nHash.prototype.get = hashGet;\nHash.prototype.has = hashHas;\nHash.prototype.set = hashSet;\n\n/**\n * Creates an list cache object.\n *\n * @private\n * @constructor\n * @param {Array} [entries] The key-value pairs to cache.\n */\nfunction ListCache(entries) {\n var index = -1,\n length = entries == null ? 0 : entries.length;\n\n this.clear();\n while (++index < length) {\n var entry = entries[index];\n this.set(entry[0], entry[1]);\n }\n}\n\n/**\n * Removes all key-value entries from the list cache.\n *\n * @private\n * @name clear\n * @memberOf ListCache\n */\nfunction listCacheClear() {\n this.__data__ = [];\n this.size = 0;\n}\n\n/**\n * Removes `key` and its value from the list cache.\n *\n * @private\n * @name delete\n * @memberOf ListCache\n * @param {string} key The key of the value to remove.\n * @returns {boolean} Returns `true` if the entry was removed, else `false`.\n */\nfunction listCacheDelete(key) {\n var data = this.__data__,\n index = assocIndexOf(data, key);\n\n if (index < 0) {\n return false;\n }\n var lastIndex = data.length - 1;\n if (index == lastIndex) {\n data.pop();\n } else {\n splice.call(data, index, 1);\n }\n --this.size;\n return true;\n}\n\n/**\n * Gets the list cache value for `key`.\n *\n * @private\n * @name get\n * @memberOf ListCache\n * @param {string} key The key of the value to get.\n * @returns {*} Returns the entry value.\n */\nfunction listCacheGet(key) {\n var data = this.__data__,\n index = assocIndexOf(data, key);\n\n return index < 0 ? undefined : data[index][1];\n}\n\n/**\n * Checks if a list cache value for `key` exists.\n *\n * @private\n * @name has\n * @memberOf ListCache\n * @param {string} key The key of the entry to check.\n * @returns {boolean} Returns `true` if an entry for `key` exists, else `false`.\n */\nfunction listCacheHas(key) {\n return assocIndexOf(this.__data__, key) > -1;\n}\n\n/**\n * Sets the list cache `key` to `value`.\n *\n * @private\n * @name set\n * @memberOf ListCache\n * @param {string} key The key of the value to set.\n * @param {*} value The value to set.\n * @returns {Object} Returns the list cache instance.\n */\nfunction listCacheSet(key, value) {\n var data = this.__data__,\n index = assocIndexOf(data, key);\n\n if (index < 0) {\n ++this.size;\n data.push([key, value]);\n } else {\n data[index][1] = value;\n }\n return this;\n}\n\n// Add methods to `ListCache`.\nListCache.prototype.clear = listCacheClear;\nListCache.prototype['delete'] = listCacheDelete;\nListCache.prototype.get = listCacheGet;\nListCache.prototype.has = listCacheHas;\nListCache.prototype.set = listCacheSet;\n\n/**\n * Creates a map cache object to store key-value pairs.\n *\n * @private\n * @constructor\n * @param {Array} [entries] The key-value pairs to cache.\n */\nfunction MapCache(entries) {\n var index = -1,\n length = entries == null ? 0 : entries.length;\n\n this.clear();\n while (++index < length) {\n var entry = entries[index];\n this.set(entry[0], entry[1]);\n }\n}\n\n/**\n * Removes all key-value entries from the map.\n *\n * @private\n * @name clear\n * @memberOf MapCache\n */\nfunction mapCacheClear() {\n this.size = 0;\n this.__data__ = {\n 'hash': new Hash,\n 'map': new (Map || ListCache),\n 'string': new Hash\n };\n}\n\n/**\n * Removes `key` and its value from the map.\n *\n * @private\n * @name delete\n * @memberOf MapCache\n * @param {string} key The key of the value to remove.\n * @returns {boolean} Returns `true` if the entry was removed, else `false`.\n */\nfunction mapCacheDelete(key) {\n var result = getMapData(this, key)['delete'](key);\n this.size -= result ? 1 : 0;\n return result;\n}\n\n/**\n * Gets the map value for `key`.\n *\n * @private\n * @name get\n * @memberOf MapCache\n * @param {string} key The key of the value to get.\n * @returns {*} Returns the entry value.\n */\nfunction mapCacheGet(key) {\n return getMapData(this, key).get(key);\n}\n\n/**\n * Checks if a map value for `key` exists.\n *\n * @private\n * @name has\n * @memberOf MapCache\n * @param {string} key The key of the entry to check.\n * @returns {boolean} Returns `true` if an entry for `key` exists, else `false`.\n */\nfunction mapCacheHas(key) {\n return getMapData(this, key).has(key);\n}\n\n/**\n * Sets the map `key` to `value`.\n *\n * @private\n * @name set\n * @memberOf MapCache\n * @param {string} key The key of the value to set.\n * @param {*} value The value to set.\n * @returns {Object} Returns the map cache instance.\n */\nfunction mapCacheSet(key, value) {\n var data = getMapData(this, key),\n size = data.size;\n\n data.set(key, value);\n this.size += data.size == size ? 0 : 1;\n return this;\n}\n\n// Add methods to `MapCache`.\nMapCache.prototype.clear = mapCacheClear;\nMapCache.prototype['delete'] = mapCacheDelete;\nMapCache.prototype.get = mapCacheGet;\nMapCache.prototype.has = mapCacheHas;\nMapCache.prototype.set = mapCacheSet;\n\n/**\n * Creates a stack cache object to store key-value pairs.\n *\n * @private\n * @constructor\n * @param {Array} [entries] The key-value pairs to cache.\n */\nfunction Stack(entries) {\n var data = this.__data__ = new ListCache(entries);\n this.size = data.size;\n}\n\n/**\n * Removes all key-value entries from the stack.\n *\n * @private\n * @name clear\n * @memberOf Stack\n */\nfunction stackClear() {\n this.__data__ = new ListCache;\n this.size = 0;\n}\n\n/**\n * Removes `key` and its value from the stack.\n *\n * @private\n * @name delete\n * @memberOf Stack\n * @param {string} key The key of the value to remove.\n * @returns {boolean} Returns `true` if the entry was removed, else `false`.\n */\nfunction stackDelete(key) {\n var data = this.__data__,\n result = data['delete'](key);\n\n this.size = data.size;\n return result;\n}\n\n/**\n * Gets the stack value for `key`.\n *\n * @private\n * @name get\n * @memberOf Stack\n * @param {string} key The key of the value to get.\n * @returns {*} Returns the entry value.\n */\nfunction stackGet(key) {\n return this.__data__.get(key);\n}\n\n/**\n * Checks if a stack value for `key` exists.\n *\n * @private\n * @name has\n * @memberOf Stack\n * @param {string} key The key of the entry to check.\n * @returns {boolean} Returns `true` if an entry for `key` exists, else `false`.\n */\nfunction stackHas(key) {\n return this.__data__.has(key);\n}\n\n/**\n * Sets the stack `key` to `value`.\n *\n * @private\n * @name set\n * @memberOf Stack\n * @param {string} key The key of the value to set.\n * @param {*} value The value to set.\n * @returns {Object} Returns the stack cache instance.\n */\nfunction stackSet(key, value) {\n var data = this.__data__;\n if (data instanceof ListCache) {\n var pairs = data.__data__;\n if (!Map || (pairs.length < LARGE_ARRAY_SIZE - 1)) {\n pairs.push([key, value]);\n this.size = ++data.size;\n return this;\n }\n data = this.__data__ = new MapCache(pairs);\n }\n data.set(key, value);\n this.size = data.size;\n return this;\n}\n\n// Add methods to `Stack`.\nStack.prototype.clear = stackClear;\nStack.prototype['delete'] = stackDelete;\nStack.prototype.get = stackGet;\nStack.prototype.has = stackHas;\nStack.prototype.set = stackSet;\n\n/**\n * Creates an array of the enumerable property names of the array-like `value`.\n *\n * @private\n * @param {*} value The value to query.\n * @param {boolean} inherited Specify returning inherited property names.\n * @returns {Array} Returns the array of property names.\n */\nfunction arrayLikeKeys(value, inherited) {\n var isArr = isArray(value),\n isArg = !isArr && isArguments(value),\n isBuff = !isArr && !isArg && isBuffer(value),\n isType = !isArr && !isArg && !isBuff && isTypedArray(value),\n skipIndexes = isArr || isArg || isBuff || isType,\n result = skipIndexes ? baseTimes(value.length, String) : [],\n length = result.length;\n\n for (var key in value) {\n if ((inherited || hasOwnProperty.call(value, key)) &&\n !(skipIndexes && (\n // Safari 9 has enumerable `arguments.length` in strict mode.\n key == 'length' ||\n // Node.js 0.10 has enumerable non-index properties on buffers.\n (isBuff && (key == 'offset' || key == 'parent')) ||\n // PhantomJS 2 has enumerable non-index properties on typed arrays.\n (isType && (key == 'buffer' || key == 'byteLength' || key == 'byteOffset')) ||\n // Skip index properties.\n isIndex(key, length)\n ))) {\n result.push(key);\n }\n }\n return result;\n}\n\n/**\n * This function is like `assignValue` except that it doesn't assign\n * `undefined` values.\n *\n * @private\n * @param {Object} object The object to modify.\n * @param {string} key The key of the property to assign.\n * @param {*} value The value to assign.\n */\nfunction assignMergeValue(object, key, value) {\n if ((value !== undefined && !eq(object[key], value)) ||\n (value === undefined && !(key in object))) {\n baseAssignValue(object, key, value);\n }\n}\n\n/**\n * Assigns `value` to `key` of `object` if the existing value is not equivalent\n * using [`SameValueZero`](http://ecma-international.org/ecma-262/7.0/#sec-samevaluezero)\n * for equality comparisons.\n *\n * @private\n * @param {Object} object The object to modify.\n * @param {string} key The key of the property to assign.\n * @param {*} value The value to assign.\n */\nfunction assignValue(object, key, value) {\n var objValue = object[key];\n if (!(hasOwnProperty.call(object, key) && eq(objValue, value)) ||\n (value === undefined && !(key in object))) {\n baseAssignValue(object, key, value);\n }\n}\n\n/**\n * Gets the index at which the `key` is found in `array` of key-value pairs.\n *\n * @private\n * @param {Array} array The array to inspect.\n * @param {*} key The key to search for.\n * @returns {number} Returns the index of the matched value, else `-1`.\n */\nfunction assocIndexOf(array, key) {\n var length = array.length;\n while (length--) {\n if (eq(array[length][0], key)) {\n return length;\n }\n }\n return -1;\n}\n\n/**\n * The base implementation of `assignValue` and `assignMergeValue` without\n * value checks.\n *\n * @private\n * @param {Object} object The object to modify.\n * @param {string} key The key of the property to assign.\n * @param {*} value The value to assign.\n */\nfunction baseAssignValue(object, key, value) {\n if (key == '__proto__' && defineProperty) {\n defineProperty(object, key, {\n 'configurable': true,\n 'enumerable': true,\n 'value': value,\n 'writable': true\n });\n } else {\n object[key] = value;\n }\n}\n\n/**\n * The base implementation of `baseForOwn` which iterates over `object`\n * properties returned by `keysFunc` and invokes `iteratee` for each property.\n * Iteratee functions may exit iteration early by explicitly returning `false`.\n *\n * @private\n * @param {Object} object The object to iterate over.\n * @param {Function} iteratee The function invoked per iteration.\n * @param {Function} keysFunc The function to get the keys of `object`.\n * @returns {Object} Returns `object`.\n */\nvar baseFor = createBaseFor();\n\n/**\n * The base implementation of `getTag` without fallbacks for buggy environments.\n *\n * @private\n * @param {*} value The value to query.\n * @returns {string} Returns the `toStringTag`.\n */\nfunction baseGetTag(value) {\n if (value == null) {\n return value === undefined ? undefinedTag : nullTag;\n }\n return (symToStringTag && symToStringTag in Object(value))\n ? getRawTag(value)\n : objectToString(value);\n}\n\n/**\n * The base implementation of `_.isArguments`.\n *\n * @private\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is an `arguments` object,\n */\nfunction baseIsArguments(value) {\n return isObjectLike(value) && baseGetTag(value) == argsTag;\n}\n\n/**\n * The base implementation of `_.isNative` without bad shim checks.\n *\n * @private\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is a native function,\n * else `false`.\n */\nfunction baseIsNative(value) {\n if (!isObject(value) || isMasked(value)) {\n return false;\n }\n var pattern = isFunction(value) ? reIsNative : reIsHostCtor;\n return pattern.test(toSource(value));\n}\n\n/**\n * The base implementation of `_.isTypedArray` without Node.js optimizations.\n *\n * @private\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is a typed array, else `false`.\n */\nfunction baseIsTypedArray(value) {\n return isObjectLike(value) &&\n isLength(value.length) && !!typedArrayTags[baseGetTag(value)];\n}\n\n/**\n * The base implementation of `_.keysIn` which doesn't treat sparse arrays as dense.\n *\n * @private\n * @param {Object} object The object to query.\n * @returns {Array} Returns the array of property names.\n */\nfunction baseKeysIn(object) {\n if (!isObject(object)) {\n return nativeKeysIn(object);\n }\n var isProto = isPrototype(object),\n result = [];\n\n for (var key in object) {\n if (!(key == 'constructor' && (isProto || !hasOwnProperty.call(object, key)))) {\n result.push(key);\n }\n }\n return result;\n}\n\n/**\n * The base implementation of `_.merge` without support for multiple sources.\n *\n * @private\n * @param {Object} object The destination object.\n * @param {Object} source The source object.\n * @param {number} srcIndex The index of `source`.\n * @param {Function} [customizer] The function to customize merged values.\n * @param {Object} [stack] Tracks traversed source values and their merged\n * counterparts.\n */\nfunction baseMerge(object, source, srcIndex, customizer, stack) {\n if (object === source) {\n return;\n }\n baseFor(source, function(srcValue, key) {\n if (isObject(srcValue)) {\n stack || (stack = new Stack);\n baseMergeDeep(object, source, key, srcIndex, baseMerge, customizer, stack);\n }\n else {\n var newValue = customizer\n ? customizer(safeGet(object, key), srcValue, (key + ''), object, source, stack)\n : undefined;\n\n if (newValue === undefined) {\n newValue = srcValue;\n }\n assignMergeValue(object, key, newValue);\n }\n }, keysIn);\n}\n\n/**\n * A specialized version of `baseMerge` for arrays and objects which performs\n * deep merges and tracks traversed objects enabling objects with circular\n * references to be merged.\n *\n * @private\n * @param {Object} object The destination object.\n * @param {Object} source The source object.\n * @param {string} key The key of the value to merge.\n * @param {number} srcIndex The index of `source`.\n * @param {Function} mergeFunc The function to merge values.\n * @param {Function} [customizer] The function to customize assigned values.\n * @param {Object} [stack] Tracks traversed source values and their merged\n * counterparts.\n */\nfunction baseMergeDeep(object, source, key, srcIndex, mergeFunc, customizer, stack) {\n var objValue = safeGet(object, key),\n srcValue = safeGet(source, key),\n stacked = stack.get(srcValue);\n\n if (stacked) {\n assignMergeValue(object, key, stacked);\n return;\n }\n var newValue = customizer\n ? customizer(objValue, srcValue, (key + ''), object, source, stack)\n : undefined;\n\n var isCommon = newValue === undefined;\n\n if (isCommon) {\n var isArr = isArray(srcValue),\n isBuff = !isArr && isBuffer(srcValue),\n isTyped = !isArr && !isBuff && isTypedArray(srcValue);\n\n newValue = srcValue;\n if (isArr || isBuff || isTyped) {\n if (isArray(objValue)) {\n newValue = objValue;\n }\n else if (isArrayLikeObject(objValue)) {\n newValue = copyArray(objValue);\n }\n else if (isBuff) {\n isCommon = false;\n newValue = cloneBuffer(srcValue, true);\n }\n else if (isTyped) {\n isCommon = false;\n newValue = cloneTypedArray(srcValue, true);\n }\n else {\n newValue = [];\n }\n }\n else if (isPlainObject(srcValue) || isArguments(srcValue)) {\n newValue = objValue;\n if (isArguments(objValue)) {\n newValue = toPlainObject(objValue);\n }\n else if (!isObject(objValue) || (srcIndex && isFunction(objValue))) {\n newValue = initCloneObject(srcValue);\n }\n }\n else {\n isCommon = false;\n }\n }\n if (isCommon) {\n // Recursively merge objects and arrays (susceptible to call stack limits).\n stack.set(srcValue, newValue);\n mergeFunc(newValue, srcValue, srcIndex, customizer, stack);\n stack['delete'](srcValue);\n }\n assignMergeValue(object, key, newValue);\n}\n\n/**\n * The base implementation of `_.rest` which doesn't validate or coerce arguments.\n *\n * @private\n * @param {Function} func The function to apply a rest parameter to.\n * @param {number} [start=func.length-1] The start position of the rest parameter.\n * @returns {Function} Returns the new function.\n */\nfunction baseRest(func, start) {\n return setToString(overRest(func, start, identity), func + '');\n}\n\n/**\n * The base implementation of `setToString` without support for hot loop shorting.\n *\n * @private\n * @param {Function} func The function to modify.\n * @param {Function} string The `toString` result.\n * @returns {Function} Returns `func`.\n */\nvar baseSetToString = !defineProperty ? identity : function(func, string) {\n return defineProperty(func, 'toString', {\n 'configurable': true,\n 'enumerable': false,\n 'value': constant(string),\n 'writable': true\n });\n};\n\n/**\n * Creates a clone of `buffer`.\n *\n * @private\n * @param {Buffer} buffer The buffer to clone.\n * @param {boolean} [isDeep] Specify a deep clone.\n * @returns {Buffer} Returns the cloned buffer.\n */\nfunction cloneBuffer(buffer, isDeep) {\n if (isDeep) {\n return buffer.slice();\n }\n var length = buffer.length,\n result = allocUnsafe ? allocUnsafe(length) : new buffer.constructor(length);\n\n buffer.copy(result);\n return result;\n}\n\n/**\n * Creates a clone of `arrayBuffer`.\n *\n * @private\n * @param {ArrayBuffer} arrayBuffer The array buffer to clone.\n * @returns {ArrayBuffer} Returns the cloned array buffer.\n */\nfunction cloneArrayBuffer(arrayBuffer) {\n var result = new arrayBuffer.constructor(arrayBuffer.byteLength);\n new Uint8Array(result).set(new Uint8Array(arrayBuffer));\n return result;\n}\n\n/**\n * Creates a clone of `typedArray`.\n *\n * @private\n * @param {Object} typedArray The typed array to clone.\n * @param {boolean} [isDeep] Specify a deep clone.\n * @returns {Object} Returns the cloned typed array.\n */\nfunction cloneTypedArray(typedArray, isDeep) {\n var buffer = isDeep ? cloneArrayBuffer(typedArray.buffer) : typedArray.buffer;\n return new typedArray.constructor(buffer, typedArray.byteOffset, typedArray.length);\n}\n\n/**\n * Copies the values of `source` to `array`.\n *\n * @private\n * @param {Array} source The array to copy values from.\n * @param {Array} [array=[]] The array to copy values to.\n * @returns {Array} Returns `array`.\n */\nfunction copyArray(source, array) {\n var index = -1,\n length = source.length;\n\n array || (array = Array(length));\n while (++index < length) {\n array[index] = source[index];\n }\n return array;\n}\n\n/**\n * Copies properties of `source` to `object`.\n *\n * @private\n * @param {Object} source The object to copy properties from.\n * @param {Array} props The property identifiers to copy.\n * @param {Object} [object={}] The object to copy properties to.\n * @param {Function} [customizer] The function to customize copied values.\n * @returns {Object} Returns `object`.\n */\nfunction copyObject(source, props, object, customizer) {\n var isNew = !object;\n object || (object = {});\n\n var index = -1,\n length = props.length;\n\n while (++index < length) {\n var key = props[index];\n\n var newValue = customizer\n ? customizer(object[key], source[key], key, object, source)\n : undefined;\n\n if (newValue === undefined) {\n newValue = source[key];\n }\n if (isNew) {\n baseAssignValue(object, key, newValue);\n } else {\n assignValue(object, key, newValue);\n }\n }\n return object;\n}\n\n/**\n * Creates a function like `_.assign`.\n *\n * @private\n * @param {Function} assigner The function to assign values.\n * @returns {Function} Returns the new assigner function.\n */\nfunction createAssigner(assigner) {\n return baseRest(function(object, sources) {\n var index = -1,\n length = sources.length,\n customizer = length > 1 ? sources[length - 1] : undefined,\n guard = length > 2 ? sources[2] : undefined;\n\n customizer = (assigner.length > 3 && typeof customizer == 'function')\n ? (length--, customizer)\n : undefined;\n\n if (guard && isIterateeCall(sources[0], sources[1], guard)) {\n customizer = length < 3 ? undefined : customizer;\n length = 1;\n }\n object = Object(object);\n while (++index < length) {\n var source = sources[index];\n if (source) {\n assigner(object, source, index, customizer);\n }\n }\n return object;\n });\n}\n\n/**\n * Creates a base function for methods like `_.forIn` and `_.forOwn`.\n *\n * @private\n * @param {boolean} [fromRight] Specify iterating from right to left.\n * @returns {Function} Returns the new base function.\n */\nfunction createBaseFor(fromRight) {\n return function(object, iteratee, keysFunc) {\n var index = -1,\n iterable = Object(object),\n props = keysFunc(object),\n length = props.length;\n\n while (length--) {\n var key = props[fromRight ? length : ++index];\n if (iteratee(iterable[key], key, iterable) === false) {\n break;\n }\n }\n return object;\n };\n}\n\n/**\n * Gets the data for `map`.\n *\n * @private\n * @param {Object} map The map to query.\n * @param {string} key The reference key.\n * @returns {*} Returns the map data.\n */\nfunction getMapData(map, key) {\n var data = map.__data__;\n return isKeyable(key)\n ? data[typeof key == 'string' ? 'string' : 'hash']\n : data.map;\n}\n\n/**\n * Gets the native function at `key` of `object`.\n *\n * @private\n * @param {Object} object The object to query.\n * @param {string} key The key of the method to get.\n * @returns {*} Returns the function if it's native, else `undefined`.\n */\nfunction getNative(object, key) {\n var value = getValue(object, key);\n return baseIsNative(value) ? value : undefined;\n}\n\n/**\n * A specialized version of `baseGetTag` which ignores `Symbol.toStringTag` values.\n *\n * @private\n * @param {*} value The value to query.\n * @returns {string} Returns the raw `toStringTag`.\n */\nfunction getRawTag(value) {\n var isOwn = hasOwnProperty.call(value, symToStringTag),\n tag = value[symToStringTag];\n\n try {\n value[symToStringTag] = undefined;\n var unmasked = true;\n } catch (e) {}\n\n var result = nativeObjectToString.call(value);\n if (unmasked) {\n if (isOwn) {\n value[symToStringTag] = tag;\n } else {\n delete value[symToStringTag];\n }\n }\n return result;\n}\n\n/**\n * Initializes an object clone.\n *\n * @private\n * @param {Object} object The object to clone.\n * @returns {Object} Returns the initialized clone.\n */\nfunction initCloneObject(object) {\n return (typeof object.constructor == 'function' && !isPrototype(object))\n ? baseCreate(getPrototype(object))\n : {};\n}\n\n/**\n * Checks if `value` is a valid array-like index.\n *\n * @private\n * @param {*} value The value to check.\n * @param {number} [length=MAX_SAFE_INTEGER] The upper bounds of a valid index.\n * @returns {boolean} Returns `true` if `value` is a valid index, else `false`.\n */\nfunction isIndex(value, length) {\n var type = typeof value;\n length = length == null ? MAX_SAFE_INTEGER : length;\n\n return !!length &&\n (type == 'number' ||\n (type != 'symbol' && reIsUint.test(value))) &&\n (value > -1 && value % 1 == 0 && value < length);\n}\n\n/**\n * Checks if the given arguments are from an iteratee call.\n *\n * @private\n * @param {*} value The potential iteratee value argument.\n * @param {*} index The potential iteratee index or key argument.\n * @param {*} object The potential iteratee object argument.\n * @returns {boolean} Returns `true` if the arguments are from an iteratee call,\n * else `false`.\n */\nfunction isIterateeCall(value, index, object) {\n if (!isObject(object)) {\n return false;\n }\n var type = typeof index;\n if (type == 'number'\n ? (isArrayLike(object) && isIndex(index, object.length))\n : (type == 'string' && index in object)\n ) {\n return eq(object[index], value);\n }\n return false;\n}\n\n/**\n * Checks if `value` is suitable for use as unique object key.\n *\n * @private\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is suitable, else `false`.\n */\nfunction isKeyable(value) {\n var type = typeof value;\n return (type == 'string' || type == 'number' || type == 'symbol' || type == 'boolean')\n ? (value !== '__proto__')\n : (value === null);\n}\n\n/**\n * Checks if `func` has its source masked.\n *\n * @private\n * @param {Function} func The function to check.\n * @returns {boolean} Returns `true` if `func` is masked, else `false`.\n */\nfunction isMasked(func) {\n return !!maskSrcKey && (maskSrcKey in func);\n}\n\n/**\n * Checks if `value` is likely a prototype object.\n *\n * @private\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is a prototype, else `false`.\n */\nfunction isPrototype(value) {\n var Ctor = value && value.constructor,\n proto = (typeof Ctor == 'function' && Ctor.prototype) || objectProto;\n\n return value === proto;\n}\n\n/**\n * This function is like\n * [`Object.keys`](http://ecma-international.org/ecma-262/7.0/#sec-object.keys)\n * except that it includes inherited enumerable properties.\n *\n * @private\n * @param {Object} object The object to query.\n * @returns {Array} Returns the array of property names.\n */\nfunction nativeKeysIn(object) {\n var result = [];\n if (object != null) {\n for (var key in Object(object)) {\n result.push(key);\n }\n }\n return result;\n}\n\n/**\n * Converts `value` to a string using `Object.prototype.toString`.\n *\n * @private\n * @param {*} value The value to convert.\n * @returns {string} Returns the converted string.\n */\nfunction objectToString(value) {\n return nativeObjectToString.call(value);\n}\n\n/**\n * A specialized version of `baseRest` which transforms the rest array.\n *\n * @private\n * @param {Function} func The function to apply a rest parameter to.\n * @param {number} [start=func.length-1] The start position of the rest parameter.\n * @param {Function} transform The rest array transform.\n * @returns {Function} Returns the new function.\n */\nfunction overRest(func, start, transform) {\n start = nativeMax(start === undefined ? (func.length - 1) : start, 0);\n return function() {\n var args = arguments,\n index = -1,\n length = nativeMax(args.length - start, 0),\n array = Array(length);\n\n while (++index < length) {\n array[index] = args[start + index];\n }\n index = -1;\n var otherArgs = Array(start + 1);\n while (++index < start) {\n otherArgs[index] = args[index];\n }\n otherArgs[start] = transform(array);\n return apply(func, this, otherArgs);\n };\n}\n\n/**\n * Sets the `toString` method of `func` to return `string`.\n *\n * @private\n * @param {Function} func The function to modify.\n * @param {Function} string The `toString` result.\n * @returns {Function} Returns `func`.\n */\nvar setToString = shortOut(baseSetToString);\n\n/**\n * Creates a function that'll short out and invoke `identity` instead\n * of `func` when it's called `HOT_COUNT` or more times in `HOT_SPAN`\n * milliseconds.\n *\n * @private\n * @param {Function} func The function to restrict.\n * @returns {Function} Returns the new shortable function.\n */\nfunction shortOut(func) {\n var count = 0,\n lastCalled = 0;\n\n return function() {\n var stamp = nativeNow(),\n remaining = HOT_SPAN - (stamp - lastCalled);\n\n lastCalled = stamp;\n if (remaining > 0) {\n if (++count >= HOT_COUNT) {\n return arguments[0];\n }\n } else {\n count = 0;\n }\n return func.apply(undefined, arguments);\n };\n}\n\n/**\n * Converts `func` to its source code.\n *\n * @private\n * @param {Function} func The function to convert.\n * @returns {string} Returns the source code.\n */\nfunction toSource(func) {\n if (func != null) {\n try {\n return funcToString.call(func);\n } catch (e) {}\n try {\n return (func + '');\n } catch (e) {}\n }\n return '';\n}\n\n/**\n * Performs a\n * [`SameValueZero`](http://ecma-international.org/ecma-262/7.0/#sec-samevaluezero)\n * comparison between two values to determine if they are equivalent.\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category Lang\n * @param {*} value The value to compare.\n * @param {*} other The other value to compare.\n * @returns {boolean} Returns `true` if the values are equivalent, else `false`.\n * @example\n *\n * var object = { 'a': 1 };\n * var other = { 'a': 1 };\n *\n * _.eq(object, object);\n * // => true\n *\n * _.eq(object, other);\n * // => false\n *\n * _.eq('a', 'a');\n * // => true\n *\n * _.eq('a', Object('a'));\n * // => false\n *\n * _.eq(NaN, NaN);\n * // => true\n */\nfunction eq(value, other) {\n return value === other || (value !== value && other !== other);\n}\n\n/**\n * Checks if `value` is likely an `arguments` object.\n *\n * @static\n * @memberOf _\n * @since 0.1.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is an `arguments` object,\n * else `false`.\n * @example\n *\n * _.isArguments(function() { return arguments; }());\n * // => true\n *\n * _.isArguments([1, 2, 3]);\n * // => false\n */\nvar isArguments = baseIsArguments(function() { return arguments; }()) ? baseIsArguments : function(value) {\n return isObjectLike(value) && hasOwnProperty.call(value, 'callee') &&\n !propertyIsEnumerable.call(value, 'callee');\n};\n\n/**\n * Checks if `value` is classified as an `Array` object.\n *\n * @static\n * @memberOf _\n * @since 0.1.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is an array, else `false`.\n * @example\n *\n * _.isArray([1, 2, 3]);\n * // => true\n *\n * _.isArray(document.body.children);\n * // => false\n *\n * _.isArray('abc');\n * // => false\n *\n * _.isArray(_.noop);\n * // => false\n */\nvar isArray = Array.isArray;\n\n/**\n * Checks if `value` is array-like. A value is considered array-like if it's\n * not a function and has a `value.length` that's an integer greater than or\n * equal to `0` and less than or equal to `Number.MAX_SAFE_INTEGER`.\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is array-like, else `false`.\n * @example\n *\n * _.isArrayLike([1, 2, 3]);\n * // => true\n *\n * _.isArrayLike(document.body.children);\n * // => true\n *\n * _.isArrayLike('abc');\n * // => true\n *\n * _.isArrayLike(_.noop);\n * // => false\n */\nfunction isArrayLike(value) {\n return value != null && isLength(value.length) && !isFunction(value);\n}\n\n/**\n * This method is like `_.isArrayLike` except that it also checks if `value`\n * is an object.\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is an array-like object,\n * else `false`.\n * @example\n *\n * _.isArrayLikeObject([1, 2, 3]);\n * // => true\n *\n * _.isArrayLikeObject(document.body.children);\n * // => true\n *\n * _.isArrayLikeObject('abc');\n * // => false\n *\n * _.isArrayLikeObject(_.noop);\n * // => false\n */\nfunction isArrayLikeObject(value) {\n return isObjectLike(value) && isArrayLike(value);\n}\n\n/**\n * Checks if `value` is a buffer.\n *\n * @static\n * @memberOf _\n * @since 4.3.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is a buffer, else `false`.\n * @example\n *\n * _.isBuffer(new Buffer(2));\n * // => true\n *\n * _.isBuffer(new Uint8Array(2));\n * // => false\n */\nvar isBuffer = nativeIsBuffer || stubFalse;\n\n/**\n * Checks if `value` is classified as a `Function` object.\n *\n * @static\n * @memberOf _\n * @since 0.1.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is a function, else `false`.\n * @example\n *\n * _.isFunction(_);\n * // => true\n *\n * _.isFunction(/abc/);\n * // => false\n */\nfunction isFunction(value) {\n if (!isObject(value)) {\n return false;\n }\n // The use of `Object#toString` avoids issues with the `typeof` operator\n // in Safari 9 which returns 'object' for typed arrays and other constructors.\n var tag = baseGetTag(value);\n return tag == funcTag || tag == genTag || tag == asyncTag || tag == proxyTag;\n}\n\n/**\n * Checks if `value` is a valid array-like length.\n *\n * **Note:** This method is loosely based on\n * [`ToLength`](http://ecma-international.org/ecma-262/7.0/#sec-tolength).\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is a valid length, else `false`.\n * @example\n *\n * _.isLength(3);\n * // => true\n *\n * _.isLength(Number.MIN_VALUE);\n * // => false\n *\n * _.isLength(Infinity);\n * // => false\n *\n * _.isLength('3');\n * // => false\n */\nfunction isLength(value) {\n return typeof value == 'number' &&\n value > -1 && value % 1 == 0 && value <= MAX_SAFE_INTEGER;\n}\n\n/**\n * Checks if `value` is the\n * [language type](http://www.ecma-international.org/ecma-262/7.0/#sec-ecmascript-language-types)\n * of `Object`. (e.g. arrays, functions, objects, regexes, `new Number(0)`, and `new String('')`)\n *\n * @static\n * @memberOf _\n * @since 0.1.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is an object, else `false`.\n * @example\n *\n * _.isObject({});\n * // => true\n *\n * _.isObject([1, 2, 3]);\n * // => true\n *\n * _.isObject(_.noop);\n * // => true\n *\n * _.isObject(null);\n * // => false\n */\nfunction isObject(value) {\n var type = typeof value;\n return value != null && (type == 'object' || type == 'function');\n}\n\n/**\n * Checks if `value` is object-like. A value is object-like if it's not `null`\n * and has a `typeof` result of \"object\".\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is object-like, else `false`.\n * @example\n *\n * _.isObjectLike({});\n * // => true\n *\n * _.isObjectLike([1, 2, 3]);\n * // => true\n *\n * _.isObjectLike(_.noop);\n * // => false\n *\n * _.isObjectLike(null);\n * // => false\n */\nfunction isObjectLike(value) {\n return value != null && typeof value == 'object';\n}\n\n/**\n * Checks if `value` is a plain object, that is, an object created by the\n * `Object` constructor or one with a `[[Prototype]]` of `null`.\n *\n * @static\n * @memberOf _\n * @since 0.8.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is a plain object, else `false`.\n * @example\n *\n * function Foo() {\n * this.a = 1;\n * }\n *\n * _.isPlainObject(new Foo);\n * // => false\n *\n * _.isPlainObject([1, 2, 3]);\n * // => false\n *\n * _.isPlainObject({ 'x': 0, 'y': 0 });\n * // => true\n *\n * _.isPlainObject(Object.create(null));\n * // => true\n */\nfunction isPlainObject(value) {\n if (!isObjectLike(value) || baseGetTag(value) != objectTag) {\n return false;\n }\n var proto = getPrototype(value);\n if (proto === null) {\n return true;\n }\n var Ctor = hasOwnProperty.call(proto, 'constructor') && proto.constructor;\n return typeof Ctor == 'function' && Ctor instanceof Ctor &&\n funcToString.call(Ctor) == objectCtorString;\n}\n\n/**\n * Checks if `value` is classified as a typed array.\n *\n * @static\n * @memberOf _\n * @since 3.0.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is a typed array, else `false`.\n * @example\n *\n * _.isTypedArray(new Uint8Array);\n * // => true\n *\n * _.isTypedArray([]);\n * // => false\n */\nvar isTypedArray = nodeIsTypedArray ? baseUnary(nodeIsTypedArray) : baseIsTypedArray;\n\n/**\n * Converts `value` to a plain object flattening inherited enumerable string\n * keyed properties of `value` to own properties of the plain object.\n *\n * @static\n * @memberOf _\n * @since 3.0.0\n * @category Lang\n * @param {*} value The value to convert.\n * @returns {Object} Returns the converted plain object.\n * @example\n *\n * function Foo() {\n * this.b = 2;\n * }\n *\n * Foo.prototype.c = 3;\n *\n * _.assign({ 'a': 1 }, new Foo);\n * // => { 'a': 1, 'b': 2 }\n *\n * _.assign({ 'a': 1 }, _.toPlainObject(new Foo));\n * // => { 'a': 1, 'b': 2, 'c': 3 }\n */\nfunction toPlainObject(value) {\n return copyObject(value, keysIn(value));\n}\n\n/**\n * Creates an array of the own and inherited enumerable property names of `object`.\n *\n * **Note:** Non-object values are coerced to objects.\n *\n * @static\n * @memberOf _\n * @since 3.0.0\n * @category Object\n * @param {Object} object The object to query.\n * @returns {Array} Returns the array of property names.\n * @example\n *\n * function Foo() {\n * this.a = 1;\n * this.b = 2;\n * }\n *\n * Foo.prototype.c = 3;\n *\n * _.keysIn(new Foo);\n * // => ['a', 'b', 'c'] (iteration order is not guaranteed)\n */\nfunction keysIn(object) {\n return isArrayLike(object) ? arrayLikeKeys(object, true) : baseKeysIn(object);\n}\n\n/**\n * This method is like `_.assign` except that it recursively merges own and\n * inherited enumerable string keyed properties of source objects into the\n * destination object. Source properties that resolve to `undefined` are\n * skipped if a destination value exists. Array and plain object properties\n * are merged recursively. Other objects and value types are overridden by\n * assignment. Source objects are applied from left to right. Subsequent\n * sources overwrite property assignments of previous sources.\n *\n * **Note:** This method mutates `object`.\n *\n * @static\n * @memberOf _\n * @since 0.5.0\n * @category Object\n * @param {Object} object The destination object.\n * @param {...Object} [sources] The source objects.\n * @returns {Object} Returns `object`.\n * @example\n *\n * var object = {\n * 'a': [{ 'b': 2 }, { 'd': 4 }]\n * };\n *\n * var other = {\n * 'a': [{ 'c': 3 }, { 'e': 5 }]\n * };\n *\n * _.merge(object, other);\n * // => { 'a': [{ 'b': 2, 'c': 3 }, { 'd': 4, 'e': 5 }] }\n */\nvar merge = createAssigner(function(object, source, srcIndex) {\n baseMerge(object, source, srcIndex);\n});\n\n/**\n * Creates a function that returns `value`.\n *\n * @static\n * @memberOf _\n * @since 2.4.0\n * @category Util\n * @param {*} value The value to return from the new function.\n * @returns {Function} Returns the new constant function.\n * @example\n *\n * var objects = _.times(2, _.constant({ 'a': 1 }));\n *\n * console.log(objects);\n * // => [{ 'a': 1 }, { 'a': 1 }]\n *\n * console.log(objects[0] === objects[1]);\n * // => true\n */\nfunction constant(value) {\n return function() {\n return value;\n };\n}\n\n/**\n * This method returns the first argument it receives.\n *\n * @static\n * @since 0.1.0\n * @memberOf _\n * @category Util\n * @param {*} value Any value.\n * @returns {*} Returns `value`.\n * @example\n *\n * var object = { 'a': 1 };\n *\n * console.log(_.identity(object) === object);\n * // => true\n */\nfunction identity(value) {\n return value;\n}\n\n/**\n * This method returns `false`.\n *\n * @static\n * @memberOf _\n * @since 4.13.0\n * @category Util\n * @returns {boolean} Returns `false`.\n * @example\n *\n * _.times(2, _.stubFalse);\n * // => [false, false]\n */\nfunction stubFalse() {\n return false;\n}\n\nmodule.exports = merge;\n});\n\nfunction install(Vue) {\n\tvar options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n\n\tif (install.installed) return;\n\tinstall.installed = true;\n\n\tvar finalOptions = {};\n\tlodash_merge(finalOptions, defaultOptions, options);\n\n\tplugin.options = finalOptions;\n\tdirective.options = finalOptions;\n\n\tVue.directive('tooltip', directive);\n\tVue.directive('close-popover', vclosepopover);\n\tVue.component('v-popover', Popover);\n}\n\nvar VTooltip = directive;\nvar VClosePopover = vclosepopover;\nvar VPopover = Popover;\n\nvar plugin = {\n\tinstall: install,\n\n\tget enabled() {\n\t\treturn state.enabled;\n\t},\n\n\tset enabled(value) {\n\t\tstate.enabled = value;\n\t}\n};\n\n// Auto-install\nvar GlobalVue = null;\nif (typeof window !== 'undefined') {\n\tGlobalVue = window.Vue;\n} else if (typeof global !== 'undefined') {\n\tGlobalVue = global.Vue;\n}\nif (GlobalVue) {\n\tGlobalVue.use(plugin);\n}\n\nexport { install, VTooltip, VClosePopover, VPopover, createTooltip, destroyTooltip };\nexport default plugin;\n","/*!\n * vue-infinite-loading v2.3.3\n * (c) 2016-2018 PeachScript\n * MIT License\n */\n!function(t,e){\"object\"==typeof exports&&\"object\"==typeof module?module.exports=e():\"function\"==typeof define&&define.amd?define([],e):\"object\"==typeof exports?exports.VueInfiniteLoading=e():t.VueInfiniteLoading=e()}(this,function(){return function(t){function e(n){if(i[n])return i[n].exports;var a=i[n]={i:n,l:!1,exports:{}};return t[n].call(a.exports,a,a.exports,e),a.l=!0,a.exports}var i={};return e.m=t,e.c=i,e.d=function(t,i,n){e.o(t,i)||Object.defineProperty(t,i,{configurable:!1,enumerable:!0,get:n})},e.n=function(t){var i=t&&t.__esModule?function(){return t.default}:function(){return t};return e.d(i,\"a\",i),i},e.o=function(t,e){return Object.prototype.hasOwnProperty.call(t,e)},e.p=\"/\",e(e.s=3)}([function(t,e){function i(t,e){var i=t[1]||\"\",a=t[3];if(!a)return i;if(e&&\"function\"==typeof btoa){var r=n(a);return[i].concat(a.sources.map(function(t){return\"/*# sourceURL=\"+a.sourceRoot+t+\" */\"})).concat([r]).join(\"\\n\")}return[i].join(\"\\n\")}function n(t){return\"/*# sourceMappingURL=data:application/json;charset=utf-8;base64,\"+btoa(unescape(encodeURIComponent(JSON.stringify(t))))+\" */\"}t.exports=function(t){var e=[];return e.toString=function(){return this.map(function(e){var n=i(e,t);return e[2]?\"@media \"+e[2]+\"{\"+n+\"}\":n}).join(\"\")},e.i=function(t,i){\"string\"==typeof t&&(t=[[null,t,\"\"]]);for(var n={},a=0;ai.parts.length&&(n.parts.length=i.parts.length)}else{for(var o=[],a=0;a',\"\\nscript:\\n...\\ninfiniteHandler($state) {\\n ajax('https://www.example.com/api/news')\\n .then((res) => {\\n if (res.data.length) {\\n $state.loaded();\\n } else {\\n $state.complete();\\n }\\n });\\n}\\n...\",\"\",\"more details: https://github.com/PeachScript/vue-infinite-loading/issues/57#issuecomment-324370549\"].join(\"\\n\"),INFINITE_EVENT:\"[Vue-infinite-loading warn]: `:on-infinite` property will be deprecated soon, please use `@infinite` event instead.\"},r={INFINITE_LOOP:[\"[Vue-infinite-loading error]: executed the callback function more than 10 times for a short time, it looks like searched a wrong scroll wrapper that doest not has fixed height or maximum height, please check it. If you want to force to set a element as scroll wrapper ranther than automatic searching, you can do this:\",'\\n\\x3c!-- add a special attribute for the real scroll wrapper --\\x3e\\n
\\n ...\\n \\x3c!-- set force-use-infinite-wrapper to true --\\x3e\\n \\n
\\n ',\"more details: https://github.com/PeachScript/vue-infinite-loading/issues/55#issuecomment-316934169\"].join(\"\\n\")},o=function(){var t=!1;try{var e=Object.defineProperty({},\"passive\",{get:function(){t={passive:!0}}});window.addEventListener(\"testpassive\",e,e),window.remove(\"testpassive\",e,e)}catch(t){}return t}();e.a={name:\"InfiniteLoading\",data:function(){return{scrollParent:null,scrollHandler:null,isLoading:!1,isComplete:!1,isFirstLoad:!0,inThrottle:!1,throttleLimit:50,infiniteLoopChecked:!1,infiniteLoopTimer:null,continuousCallTimes:0}},components:{Spinner:n.a},computed:{isNoResults:{cache:!1,get:function(){var t=this.$slots[\"no-results\"],e=t&&t[0].elm&&\"\"===t[0].elm.textContent;return!this.isLoading&&this.isComplete&&this.isFirstLoad&&!e}},isNoMore:{cache:!1,get:function(){var t=this.$slots[\"no-more\"],e=t&&t[0].elm&&\"\"===t[0].elm.textContent;return!this.isLoading&&this.isComplete&&!this.isFirstLoad&&!e}}},props:{distance:{type:Number,default:100},onInfinite:Function,spinner:String,direction:{type:String,default:\"bottom\"},forceUseInfiniteWrapper:null},mounted:function(){var t=this;this.scrollParent=this.getScrollParent(),this.scrollHandler=function(t){var e=this;this.isLoading||(t&&t.constructor===Event?this.inThrottle||(this.inThrottle=!0,setTimeout(function(){e.attemptLoad(),e.inThrottle=!1},this.throttleLimit)):this.attemptLoad())}.bind(this),setTimeout(this.scrollHandler,1),this.scrollParent.addEventListener(\"scroll\",this.scrollHandler,o),this.$on(\"$InfiniteLoading:loaded\",function(e){t.isFirstLoad=!1,t.isLoading&&t.$nextTick(t.attemptLoad.bind(null,!0)),e&&e.target===t||console.warn(a.STATE_CHANGER)}),this.$on(\"$InfiniteLoading:complete\",function(e){t.isLoading=!1,t.isComplete=!0,t.$nextTick(function(){t.$forceUpdate()}),t.scrollParent.removeEventListener(\"scroll\",t.scrollHandler,o),e&&e.target===t||console.warn(a.STATE_CHANGER)}),this.$on(\"$InfiniteLoading:reset\",function(){t.isLoading=!1,t.isComplete=!1,t.isFirstLoad=!0,t.inThrottle=!1,t.scrollParent.addEventListener(\"scroll\",t.scrollHandler,o),setTimeout(t.scrollHandler,1)}),this.onInfinite&&console.warn(a.INFINITE_EVENT),this.stateChanger={loaded:function(){t.$emit(\"$InfiniteLoading:loaded\",{target:t})},complete:function(){t.$emit(\"$InfiniteLoading:complete\",{target:t})},reset:function(){t.$emit(\"$InfiniteLoading:reset\",{target:t})}},this.$watch(\"forceUseInfiniteWrapper\",function(){t.scrollParent=t.getScrollParent()})},deactivated:function(){this.isLoading=!1,this.scrollParent.removeEventListener(\"scroll\",this.scrollHandler,o)},activated:function(){this.scrollParent.addEventListener(\"scroll\",this.scrollHandler,o)},methods:{attemptLoad:function(t){var e=this,i=this.getCurrentDistance();!this.isComplete&&i<=this.distance&&this.$el.offsetWidth+this.$el.offsetHeight>0?(this.isLoading=!0,\"function\"==typeof this.onInfinite?this.onInfinite.call(null,this.stateChanger):this.$emit(\"infinite\",this.stateChanger),!t||this.forceUseInfiniteWrapper||this.infiniteLoopChecked||(this.continuousCallTimes+=1,clearTimeout(this.infiniteLoopTimer),this.infiniteLoopTimer=setTimeout(function(){e.infiniteLoopChecked=!0},1e3),this.continuousCallTimes>10&&(console.error(r.INFINITE_LOOP),this.infiniteLoopChecked=!0))):this.isLoading=!1},getCurrentDistance:function(){var t=void 0;if(\"top\"===this.direction)t=isNaN(this.scrollParent.scrollTop)?this.scrollParent.pageYOffset:this.scrollParent.scrollTop;else{t=this.$el.getBoundingClientRect().top-(this.scrollParent===window?window.innerHeight:this.scrollParent.getBoundingClientRect().bottom)}return t},getScrollParent:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:this.$el,e=void 0;return\"BODY\"===t.tagName?e=window:!this.forceUseInfiniteWrapper&&[\"scroll\",\"auto\"].indexOf(getComputedStyle(t).overflowY)>-1?e=t:(t.hasAttribute(\"infinite-wrapper\")||t.hasAttribute(\"data-infinite-wrapper\"))&&(e=t),e||this.getScrollParent(t.parentNode)}},destroyed:function(){this.isComplete||this.scrollParent.removeEventListener(\"scroll\",this.scrollHandler,o)}}},function(t,e,i){\"use strict\";function n(t){i(10)}var a=i(12),r=i(13),o=i(2),s=n,l=o(a.a,r.a,s,\"data-v-10a220cc\",null);e.a=l.exports},function(t,e,i){var n=i(11);\"string\"==typeof n&&(n=[[t.i,n,\"\"]]),n.locals&&(t.exports=n.locals);i(1)(\"2914e7ad\",n,!0)},function(t,e,i){e=t.exports=i(0)(void 0),e.push([t.i,'.loading-wave-dots[data-v-10a220cc]{position:relative}.loading-wave-dots[data-v-10a220cc] .wave-item{position:absolute;top:50%;left:50%;display:inline-block;margin-top:-4px;width:8px;height:8px;border-radius:50%;-webkit-animation:loading-wave-dots-data-v-10a220cc linear 2.8s infinite;animation:loading-wave-dots-data-v-10a220cc linear 2.8s infinite}.loading-wave-dots[data-v-10a220cc] .wave-item:first-child{margin-left:-36px}.loading-wave-dots[data-v-10a220cc] .wave-item:nth-child(2){margin-left:-20px;-webkit-animation-delay:.14s;animation-delay:.14s}.loading-wave-dots[data-v-10a220cc] .wave-item:nth-child(3){margin-left:-4px;-webkit-animation-delay:.28s;animation-delay:.28s}.loading-wave-dots[data-v-10a220cc] .wave-item:nth-child(4){margin-left:12px;-webkit-animation-delay:.42s;animation-delay:.42s}.loading-wave-dots[data-v-10a220cc] .wave-item:last-child{margin-left:28px;-webkit-animation-delay:.56s;animation-delay:.56s}@-webkit-keyframes loading-wave-dots-data-v-10a220cc{0%{-webkit-transform:translateY(0);transform:translateY(0);background:#bbb}10%{-webkit-transform:translateY(-6px);transform:translateY(-6px);background:#999}20%{-webkit-transform:translateY(0);transform:translateY(0);background:#bbb}to{-webkit-transform:translateY(0);transform:translateY(0);background:#bbb}}@keyframes loading-wave-dots-data-v-10a220cc{0%{-webkit-transform:translateY(0);transform:translateY(0);background:#bbb}10%{-webkit-transform:translateY(-6px);transform:translateY(-6px);background:#999}20%{-webkit-transform:translateY(0);transform:translateY(0);background:#bbb}to{-webkit-transform:translateY(0);transform:translateY(0);background:#bbb}}.loading-circles[data-v-10a220cc] .circle-item{width:5px;height:5px;-webkit-animation:loading-circles-data-v-10a220cc linear .75s infinite;animation:loading-circles-data-v-10a220cc linear .75s infinite}.loading-circles[data-v-10a220cc] .circle-item:first-child{margin-top:-14.5px;margin-left:-2.5px}.loading-circles[data-v-10a220cc] .circle-item:nth-child(2){margin-top:-11.26px;margin-left:6.26px}.loading-circles[data-v-10a220cc] .circle-item:nth-child(3){margin-top:-2.5px;margin-left:9.5px}.loading-circles[data-v-10a220cc] .circle-item:nth-child(4){margin-top:6.26px;margin-left:6.26px}.loading-circles[data-v-10a220cc] .circle-item:nth-child(5){margin-top:9.5px;margin-left:-2.5px}.loading-circles[data-v-10a220cc] .circle-item:nth-child(6){margin-top:6.26px;margin-left:-11.26px}.loading-circles[data-v-10a220cc] .circle-item:nth-child(7){margin-top:-2.5px;margin-left:-14.5px}.loading-circles[data-v-10a220cc] .circle-item:last-child{margin-top:-11.26px;margin-left:-11.26px}@-webkit-keyframes loading-circles-data-v-10a220cc{0%{background:#dfdfdf}90%{background:#505050}to{background:#dfdfdf}}@keyframes loading-circles-data-v-10a220cc{0%{background:#dfdfdf}90%{background:#505050}to{background:#dfdfdf}}.loading-bubbles[data-v-10a220cc] .bubble-item{background:#666;-webkit-animation:loading-bubbles-data-v-10a220cc linear .75s infinite;animation:loading-bubbles-data-v-10a220cc linear .75s infinite}.loading-bubbles[data-v-10a220cc] .bubble-item:first-child{margin-top:-12.5px;margin-left:-.5px}.loading-bubbles[data-v-10a220cc] .bubble-item:nth-child(2){margin-top:-9.26px;margin-left:8.26px}.loading-bubbles[data-v-10a220cc] .bubble-item:nth-child(3){margin-top:-.5px;margin-left:11.5px}.loading-bubbles[data-v-10a220cc] .bubble-item:nth-child(4){margin-top:8.26px;margin-left:8.26px}.loading-bubbles[data-v-10a220cc] .bubble-item:nth-child(5){margin-top:11.5px;margin-left:-.5px}.loading-bubbles[data-v-10a220cc] .bubble-item:nth-child(6){margin-top:8.26px;margin-left:-9.26px}.loading-bubbles[data-v-10a220cc] .bubble-item:nth-child(7){margin-top:-.5px;margin-left:-12.5px}.loading-bubbles[data-v-10a220cc] .bubble-item:last-child{margin-top:-9.26px;margin-left:-9.26px}@-webkit-keyframes loading-bubbles-data-v-10a220cc{0%{width:1px;height:1px;box-shadow:0 0 0 3px #666}90%{width:1px;height:1px;box-shadow:0 0 0 0 #666}to{width:1px;height:1px;box-shadow:0 0 0 3px #666}}@keyframes loading-bubbles-data-v-10a220cc{0%{width:1px;height:1px;box-shadow:0 0 0 3px #666}90%{width:1px;height:1px;box-shadow:0 0 0 0 #666}to{width:1px;height:1px;box-shadow:0 0 0 3px #666}}.loading-default[data-v-10a220cc]{position:relative;border:1px solid #999;-webkit-animation:loading-rotating-data-v-10a220cc ease 1.5s infinite;animation:loading-rotating-data-v-10a220cc ease 1.5s infinite}.loading-default[data-v-10a220cc]:before{content:\"\";position:absolute;display:block;top:0;left:50%;margin-top:-3px;margin-left:-3px;width:6px;height:6px;background-color:#999;border-radius:50%}.loading-spiral[data-v-10a220cc]{border:2px solid #777;border-right-color:transparent;-webkit-animation:loading-rotating-data-v-10a220cc linear .85s infinite;animation:loading-rotating-data-v-10a220cc linear .85s infinite}@-webkit-keyframes loading-rotating-data-v-10a220cc{0%{-webkit-transform:rotate(0);transform:rotate(0)}to{-webkit-transform:rotate(1turn);transform:rotate(1turn)}}@keyframes loading-rotating-data-v-10a220cc{0%{-webkit-transform:rotate(0);transform:rotate(0)}to{-webkit-transform:rotate(1turn);transform:rotate(1turn)}}.loading-bubbles[data-v-10a220cc],.loading-circles[data-v-10a220cc]{position:relative}.loading-bubbles[data-v-10a220cc] .bubble-item,.loading-circles[data-v-10a220cc] .circle-item{position:absolute;top:50%;left:50%;display:inline-block;border-radius:50%}.loading-bubbles[data-v-10a220cc] .bubble-item:nth-child(2),.loading-circles[data-v-10a220cc] .circle-item:nth-child(2){-webkit-animation-delay:93ms;animation-delay:93ms}.loading-bubbles[data-v-10a220cc] .bubble-item:nth-child(3),.loading-circles[data-v-10a220cc] .circle-item:nth-child(3){-webkit-animation-delay:.186s;animation-delay:.186s}.loading-bubbles[data-v-10a220cc] .bubble-item:nth-child(4),.loading-circles[data-v-10a220cc] .circle-item:nth-child(4){-webkit-animation-delay:.279s;animation-delay:.279s}.loading-bubbles[data-v-10a220cc] .bubble-item:nth-child(5),.loading-circles[data-v-10a220cc] .circle-item:nth-child(5){-webkit-animation-delay:.372s;animation-delay:.372s}.loading-bubbles[data-v-10a220cc] .bubble-item:nth-child(6),.loading-circles[data-v-10a220cc] .circle-item:nth-child(6){-webkit-animation-delay:.465s;animation-delay:.465s}.loading-bubbles[data-v-10a220cc] .bubble-item:nth-child(7),.loading-circles[data-v-10a220cc] .circle-item:nth-child(7){-webkit-animation-delay:.558s;animation-delay:.558s}.loading-bubbles[data-v-10a220cc] .bubble-item:last-child,.loading-circles[data-v-10a220cc] .circle-item:last-child{-webkit-animation-delay:.651s;animation-delay:.651s}',\"\"])},function(t,e,i){\"use strict\";var n={BUBBLES:{render:function(t){return t(\"span\",{attrs:{class:\"loading-bubbles\"}},Array.apply(Array,Array(8)).map(function(){return t(\"span\",{attrs:{class:\"bubble-item\"}})}))}},CIRCLES:{render:function(t){return t(\"span\",{attrs:{class:\"loading-circles\"}},Array.apply(Array,Array(8)).map(function(){return t(\"span\",{attrs:{class:\"circle-item\"}})}))}},DEFAULT:{render:function(t){return t(\"i\",{attrs:{class:\"loading-default\"}})}},SPIRAL:{render:function(t){return t(\"i\",{attrs:{class:\"loading-spiral\"}})}},WAVEDOTS:{render:function(t){return t(\"span\",{attrs:{class:\"loading-wave-dots\"}},Array.apply(Array,Array(5)).map(function(){return t(\"span\",{attrs:{class:\"wave-item\"}})}))}}};e.a={name:\"spinner\",computed:{spinnerView:function(){return n[(this.spinner||\"\").toUpperCase()]||n.DEFAULT}},props:{spinner:String}}},function(t,e,i){\"use strict\";var n=function(){var t=this,e=t.$createElement;return(t._self._c||e)(t.spinnerView,{tag:\"component\"})},a=[],r={render:n,staticRenderFns:a};e.a=r},function(t,e,i){\"use strict\";var n=function(){var t=this,e=t.$createElement,i=t._self._c||e;return i(\"div\",{staticClass:\"infinite-loading-container\"},[i(\"div\",{directives:[{name:\"show\",rawName:\"v-show\",value:t.isLoading,expression:\"isLoading\"}]},[t._t(\"spinner\",[i(\"spinner\",{attrs:{spinner:t.spinner}})])],2),t._v(\" \"),i(\"div\",{directives:[{name:\"show\",rawName:\"v-show\",value:t.isNoResults,expression:\"isNoResults\"}],staticClass:\"infinite-status-prompt\"},[t._t(\"no-results\",[t._v(\"No results :(\")])],2),t._v(\" \"),i(\"div\",{directives:[{name:\"show\",rawName:\"v-show\",value:t.isNoMore,expression:\"isNoMore\"}],staticClass:\"infinite-status-prompt\"},[t._t(\"no-more\",[t._v(\"No more data :)\")])],2)])},a=[],r={render:n,staticRenderFns:a};e.a=r}])});"],"sourceRoot":""} \ No newline at end of file diff --git a/settings/js/settings-admin-security.js b/settings/js/settings-admin-security.js index 570ae9a779..7e286b60e0 100644 --- a/settings/js/settings-admin-security.js +++ b/settings/js/settings-admin-security.js @@ -1,15 +1,108 @@ -!function(e){var t={};function n(r){if(t[r])return t[r].exports;var o=t[r]={i:r,l:!1,exports:{}};return e[r].call(o.exports,o,o.exports,n),o.l=!0,o.exports}n.m=e,n.c=t,n.d=function(e,t,r){n.o(e,t)||Object.defineProperty(e,t,{enumerable:!0,get:r})},n.r=function(e){"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},n.t=function(e,t){if(1&t&&(e=n(e)),8&t)return e;if(4&t&&"object"==typeof e&&e&&e.__esModule)return e;var r=Object.create(null);if(n.r(r),Object.defineProperty(r,"default",{enumerable:!0,value:e}),2&t&&"string"!=typeof e)for(var o in e)n.d(r,o,function(t){return e[t]}.bind(null,o));return r},n.n=function(e){var t=e&&e.__esModule?function(){return e.default}:function(){return e};return n.d(t,"a",t),t},n.o=function(e,t){return Object.prototype.hasOwnProperty.call(e,t)},n.p="/",n(n.s=316)}({100:function(e,t,n){"use strict";var r=n(41),o=n(6),i=n(109),a=n(110);function s(e){this.defaults=e,this.interceptors={request:new i,response:new i}}s.prototype.request=function(e){"string"==typeof e&&(e=o.merge({url:arguments[0]},arguments[1])),(e=o.merge(r,{method:"get"},this.defaults,e)).method=e.method.toLowerCase();var t=[a,void 0],n=Promise.resolve(e);for(this.interceptors.request.forEach(function(e){t.unshift(e.fulfilled,e.rejected)}),this.interceptors.response.forEach(function(e){t.push(e.fulfilled,e.rejected)});t.length;)n=n.then(t.shift(),t.shift());return n},o.forEach(["delete","get","head","options"],function(e){s.prototype[e]=function(t,n){return this.request(o.merge(n||{},{method:e,url:t}))}}),o.forEach(["post","put","patch"],function(e){s.prototype[e]=function(t,n,r){return this.request(o.merge(r||{},{method:e,url:t,data:n}))}}),e.exports=s},101:function(e,t,n){"use strict";var r=n(6);e.exports=function(e,t){r.forEach(e,function(n,r){r!==t&&r.toUpperCase()===t.toUpperCase()&&(e[t]=n,delete e[r])})}},102:function(e,t,n){"use strict";var r=n(55);e.exports=function(e,t,n){var o=n.config.validateStatus;n.status&&o&&!o(n.status)?t(r("Request failed with status code "+n.status,n.config,null,n.request,n)):e(n)}},103:function(e,t,n){"use strict";e.exports=function(e,t,n,r,o){return e.config=t,n&&(e.code=n),e.request=r,e.response=o,e}},104:function(e,t,n){"use strict";var r=n(6);function o(e){return encodeURIComponent(e).replace(/%40/gi,"@").replace(/%3A/gi,":").replace(/%24/g,"$").replace(/%2C/gi,",").replace(/%20/g,"+").replace(/%5B/gi,"[").replace(/%5D/gi,"]")}e.exports=function(e,t,n){if(!t)return e;var i;if(n)i=n(t);else if(r.isURLSearchParams(t))i=t.toString();else{var a=[];r.forEach(t,function(e,t){null!==e&&void 0!==e&&(r.isArray(e)?t+="[]":e=[e],r.forEach(e,function(e){r.isDate(e)?e=e.toISOString():r.isObject(e)&&(e=JSON.stringify(e)),a.push(o(t)+"="+o(e))}))}),i=a.join("&")}return i&&(e+=(-1===e.indexOf("?")?"?":"&")+i),e}},105:function(e,t,n){"use strict";var r=n(6),o=["age","authorization","content-length","content-type","etag","expires","from","host","if-modified-since","if-unmodified-since","last-modified","location","max-forwards","proxy-authorization","referer","retry-after","user-agent"];e.exports=function(e){var t,n,i,a={};return e?(r.forEach(e.split("\n"),function(e){if(i=e.indexOf(":"),t=r.trim(e.substr(0,i)).toLowerCase(),n=r.trim(e.substr(i+1)),t){if(a[t]&&o.indexOf(t)>=0)return;a[t]="set-cookie"===t?(a[t]?a[t]:[]).concat([n]):a[t]?a[t]+", "+n:n}}),a):a}},106:function(e,t,n){"use strict";var r=n(6);e.exports=r.isStandardBrowserEnv()?function(){var e,t=/(msie|trident)/i.test(navigator.userAgent),n=document.createElement("a");function o(e){var r=e;return t&&(n.setAttribute("href",r),r=n.href),n.setAttribute("href",r),{href:n.href,protocol:n.protocol?n.protocol.replace(/:$/,""):"",host:n.host,search:n.search?n.search.replace(/^\?/,""):"",hash:n.hash?n.hash.replace(/^#/,""):"",hostname:n.hostname,port:n.port,pathname:"/"===n.pathname.charAt(0)?n.pathname:"/"+n.pathname}}return e=o(window.location.href),function(t){var n=r.isString(t)?o(t):t;return n.protocol===e.protocol&&n.host===e.host}}():function(){return!0}},107:function(e,t,n){"use strict";var r="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=";function o(){this.message="String contains an invalid character"}o.prototype=new Error,o.prototype.code=5,o.prototype.name="InvalidCharacterError",e.exports=function(e){for(var t,n,i=String(e),a="",s=0,c=r;i.charAt(0|s)||(c="=",s%1);a+=c.charAt(63&t>>8-s%1*8)){if((n=i.charCodeAt(s+=.75))>255)throw new o;t=t<<8|n}return a}},108:function(e,t,n){"use strict";var r=n(6);e.exports=r.isStandardBrowserEnv()?{write:function(e,t,n,o,i,a){var s=[];s.push(e+"="+encodeURIComponent(t)),r.isNumber(n)&&s.push("expires="+new Date(n).toGMTString()),r.isString(o)&&s.push("path="+o),r.isString(i)&&s.push("domain="+i),!0===a&&s.push("secure"),document.cookie=s.join("; ")},read:function(e){var t=document.cookie.match(new RegExp("(^|;\\s*)("+e+")=([^;]*)"));return t?decodeURIComponent(t[3]):null},remove:function(e){this.write(e,"",Date.now()-864e5)}}:{write:function(){},read:function(){return null},remove:function(){}}},109:function(e,t,n){"use strict";var r=n(6);function o(){this.handlers=[]}o.prototype.use=function(e,t){return this.handlers.push({fulfilled:e,rejected:t}),this.handlers.length-1},o.prototype.eject=function(e){this.handlers[e]&&(this.handlers[e]=null)},o.prototype.forEach=function(e){r.forEach(this.handlers,function(t){null!==t&&e(t)})},e.exports=o},110:function(e,t,n){"use strict";var r=n(6),o=n(111),i=n(56),a=n(41),s=n(112),c=n(113);function u(e){e.cancelToken&&e.cancelToken.throwIfRequested()}e.exports=function(e){return u(e),e.baseURL&&!s(e.url)&&(e.url=c(e.baseURL,e.url)),e.headers=e.headers||{},e.data=o(e.data,e.headers,e.transformRequest),e.headers=r.merge(e.headers.common||{},e.headers[e.method]||{},e.headers||{}),r.forEach(["delete","get","head","post","put","patch","common"],function(t){delete e.headers[t]}),(e.adapter||a.adapter)(e).then(function(t){return u(e),t.data=o(t.data,t.headers,e.transformResponse),t},function(t){return i(t)||(u(e),t&&t.response&&(t.response.data=o(t.response.data,t.response.headers,e.transformResponse))),Promise.reject(t)})}},111:function(e,t,n){"use strict";var r=n(6);e.exports=function(e,t,n){return r.forEach(n,function(n){e=n(e,t)}),e}},112:function(e,t,n){"use strict";e.exports=function(e){return/^([a-z][a-z\d\+\-\.]*:)?\/\//i.test(e)}},113:function(e,t,n){"use strict";e.exports=function(e,t){return t?e.replace(/\/+$/,"")+"/"+t.replace(/^\/+/,""):e}},114:function(e,t,n){"use strict";var r=n(57);function o(e){if("function"!=typeof e)throw new TypeError("executor must be a function.");var t;this.promise=new Promise(function(e){t=e});var n=this;e(function(e){n.reason||(n.reason=new r(e),t(n.reason))})}o.prototype.throwIfRequested=function(){if(this.reason)throw this.reason},o.source=function(){var e;return{token:new o(function(t){e=t}),cancel:e}},e.exports=o},115:function(e,t,n){"use strict";e.exports=function(e){return function(t){return e.apply(null,t)}}},23:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(97).default.create({headers:{requesttoken:OC.requestToken}});t.default=r},30:function(e,t){var n;n=function(){return this}();try{n=n||Function("return this")()||(0,eval)("this")}catch(e){"object"==typeof window&&(n=window)}e.exports=n},312:function(e,t,n){"use strict";var r=n(69);n.n(r).a},313:function(e,t,n){(e.exports=n(314)(!1)).push([e.i,"\n.two-factor-loading {\n\tdisplay: inline-block;\n\tvertical-align: sub;\n\tmargin-left: -2px;\n\tmargin-right: 1px;\n}\n",""])},314:function(e,t){e.exports=function(e){var t=[];return t.toString=function(){return this.map(function(t){var n=function(e,t){var n=e[1]||"",r=e[3];if(!r)return n;if(t&&"function"==typeof btoa){var o=function(e){return"/*# sourceMappingURL=data:application/json;charset=utf-8;base64,"+btoa(unescape(encodeURIComponent(JSON.stringify(e))))+" */"}(r),i=r.sources.map(function(e){return"/*# sourceURL="+r.sourceRoot+e+" */"});return[n].concat(i).concat([o]).join("\n")}return[n].join("\n")}(t,e);return t[2]?"@media "+t[2]+"{"+n+"}":n}).join("")},t.i=function(e,n){"string"==typeof e&&(e=[[null,e,""]]);for(var r={},o=0;o-1:e.enabled},on:{change:[function(t){var n=e.enabled,r=t.target,o=!!r.checked;if(Array.isArray(n)){var i=e._i(n,null);r.checked?i<0&&(e.enabled=n.concat([null])):i>-1&&(e.enabled=n.slice(0,i).concat(n.slice(i+1)))}else e.enabled=o},e.onEnforcedChanged]}}),e._v(" "),n("label",{attrs:{for:"two-factor-enforced"}},[e._v(e._s(e.t("settings","Enforce two-factor authentication")))])])])};i._withStripped=!0;var a=r(23),s=r.n(a),c={name:"AdminTwoFactor",data:function(){return{enabled:!1,loading:!1}},mounted:function(){var e=this;this.loading=!0,s.a.get(OC.generateUrl("/settings/api/admin/twofactorauth")).then(function(e){return e.data}).then(function(t){e.enabled=t.enabled,e.loading=!1,console.info("loaded")}).catch(function(t){throw console.error(error),e.loading=!1,t})},methods:{onEnforcedChanged:function(){var e=this;this.loading=!0;var t={enabled:this.enabled};s.a.put(OC.generateUrl("/settings/api/admin/twofactorauth"),t).then(function(e){return e.data}).then(function(t){e.enabled=t.enabled,e.loading=!1}).catch(function(t){throw console.error(error),e.loading=!1,t})}}},u=(r(312),r(49)),f=Object(u.a)(c,i,[],!1,null,null,null);f.options.__file="src/components/AdminTwoFactor.vue";var l=f.exports;o.default.prototype.t=t,new o.default({el:"#two-factor-auth-settings",template:"",components:{AdminTwoFactor:l}})},317:function(e,t,n){"use strict";function r(e,t){for(var n=[],r={},o=0;on.parts.length&&(r.parts.length=n.parts.length)}else{var a=[];for(o=0;o=200&&e<300},headers:{common:{Accept:"application/json, text/plain, */*"}}};r.forEach(["delete","get","head"],function(e){s.headers[e]={}}),r.forEach(["post","put","patch"],function(e){s.headers[e]=r.merge(i)}),e.exports=s}).call(this,n(50))},49:function(e,t,n){"use strict";function r(e,t,n,r,o,i,a,s){var c,u="function"==typeof e?e.options:e;if(t&&(u.render=t,u.staticRenderFns=n,u._compiled=!0),r&&(u.functional=!0),i&&(u._scopeId="data-v-"+i),a?(c=function(e){(e=e||this.$vnode&&this.$vnode.ssrContext||this.parent&&this.parent.$vnode&&this.parent.$vnode.ssrContext)||"undefined"==typeof __VUE_SSR_CONTEXT__||(e=__VUE_SSR_CONTEXT__),o&&o.call(this,e),e&&e._registeredComponents&&e._registeredComponents.add(a)},u._ssrRegister=c):o&&(c=s?function(){o.call(this,this.$root.$options.shadowRoot)}:o),c)if(u.functional){u._injectStyles=c;var f=u.render;u.render=function(e,t){return c.call(t),f(e,t)}}else{var l=u.beforeCreate;u.beforeCreate=l?[].concat(l,c):[c]}return{exports:e,options:u}}n.d(t,"a",function(){return r})},50:function(e,t){var n,r,o=e.exports={};function i(){throw new Error("setTimeout has not been defined")}function a(){throw new Error("clearTimeout has not been defined")}function s(e){if(n===setTimeout)return setTimeout(e,0);if((n===i||!n)&&setTimeout)return n=setTimeout,setTimeout(e,0);try{return n(e,0)}catch(t){try{return n.call(null,e,0)}catch(t){return n.call(this,e,0)}}}!function(){try{n="function"==typeof setTimeout?setTimeout:i}catch(e){n=i}try{r="function"==typeof clearTimeout?clearTimeout:a}catch(e){r=a}}();var c,u=[],f=!1,l=-1;function d(){f&&c&&(f=!1,c.length?u=c.concat(u):l=-1,u.length&&p())}function p(){if(!f){var e=s(d);f=!0;for(var t=u.length;t;){for(c=u,u=[];++l1)for(var n=1;n=0&&Math.floor(t)===t&&isFinite(e)}function p(e){return null==e?"":"object"==typeof e?JSON.stringify(e,null,2):String(e)}function v(e){var t=parseFloat(e);return isNaN(t)?e:t}function h(e,t){for(var n=Object.create(null),r=e.split(","),o=0;o-1)return e.splice(n,1)}}var _=Object.prototype.hasOwnProperty;function b(e,t){return _.call(e,t)}function w(e){var t=Object.create(null);return function(n){return t[n]||(t[n]=e(n))}}var x=/-(\w)/g,C=w(function(e){return e.replace(x,function(e,t){return t?t.toUpperCase():""})}),$=w(function(e){return e.charAt(0).toUpperCase()+e.slice(1)}),A=/\B([A-Z])/g,k=w(function(e){return e.replace(A,"-$1").toLowerCase()});var O=Function.prototype.bind?function(e,t){return e.bind(t)}:function(e,t){function n(n){var r=arguments.length;return r?r>1?e.apply(t,arguments):e.call(t,n):e.call(t)}return n._length=e.length,n};function T(e,t){t=t||0;for(var n=e.length-t,r=new Array(n);n--;)r[n]=e[n+t];return r}function S(e,t){for(var n in t)e[n]=t[n];return e}function E(e){for(var t={},n=0;n0,Y=X&&X.indexOf("edge/")>0,Q=(X&&X.indexOf("android"),X&&/iphone|ipad|ipod|ios/.test(X)||"ios"===W),ee=(X&&/chrome\/\d+/.test(X),{}.watch),te=!1;if(J)try{var ne={};Object.defineProperty(ne,"passive",{get:function(){te=!0}}),window.addEventListener("test-passive",null,ne)}catch(e){}var re=function(){return void 0===V&&(V=!J&&!K&&void 0!==e&&"server"===e.process.env.VUE_ENV),V},oe=J&&window.__VUE_DEVTOOLS_GLOBAL_HOOK__;function ie(e){return"function"==typeof e&&/native code/.test(e.toString())}var ae,se="undefined"!=typeof Symbol&&ie(Symbol)&&"undefined"!=typeof Reflect&&ie(Reflect.ownKeys);ae="undefined"!=typeof Set&&ie(Set)?Set:function(){function e(){this.set=Object.create(null)}return e.prototype.has=function(e){return!0===this.set[e]},e.prototype.add=function(e){this.set[e]=!0},e.prototype.clear=function(){this.set=Object.create(null)},e}();var ce=j,ue=0,fe=function(){this.id=ue++,this.subs=[]};fe.prototype.addSub=function(e){this.subs.push(e)},fe.prototype.removeSub=function(e){y(this.subs,e)},fe.prototype.depend=function(){fe.target&&fe.target.addDep(this)},fe.prototype.notify=function(){for(var e=this.subs.slice(),t=0,n=e.length;t-1)if(i&&!b(o,"default"))a=!1;else if(""===a||a===k(e)){var c=He(String,o.type);(c<0||s0&&(lt((u=e(u,(n||"")+"_"+c))[0])&<(l)&&(r[f]=ge(l.text+u[0].text),u.shift()),r.push.apply(r,u)):s(u)?lt(l)?r[f]=ge(l.text+u):""!==u&&r.push(ge(u)):lt(u)&<(l)?r[f]=ge(l.text+u.text):(a(t._isVList)&&i(u.tag)&&o(u.key)&&i(n)&&(u.key="__vlist"+n+"_"+c+"__"),r.push(u)));return r}(e):void 0}function lt(e){return i(e)&&i(e.text)&&function(e){return!1===e}(e.isComment)}function dt(e,t){return(e.__esModule||se&&"Module"===e[Symbol.toStringTag])&&(e=e.default),c(e)?t.extend(e):e}function pt(e){return e.isComment&&e.asyncFactory}function vt(e){if(Array.isArray(e))for(var t=0;tEt&&At[n].id>e.id;)n--;At.splice(n+1,0,e)}else At.push(e);Tt||(Tt=!0,tt(jt))}}(this)},Lt.prototype.run=function(){if(this.active){var e=this.get();if(e!==this.value||c(e)||this.deep){var t=this.value;if(this.value=e,this.user)try{this.cb.call(this.vm,e,t)}catch(e){qe(e,this.vm,'callback for watcher "'+this.expression+'"')}else this.cb.call(this.vm,e,t)}}},Lt.prototype.evaluate=function(){this.value=this.get(),this.dirty=!1},Lt.prototype.depend=function(){for(var e=this.deps.length;e--;)this.deps[e].depend()},Lt.prototype.teardown=function(){if(this.active){this.vm._isBeingDestroyed||y(this.vm._watchers,this);for(var e=this.deps.length;e--;)this.deps[e].removeSub(this);this.active=!1}};var It={enumerable:!0,configurable:!0,get:j,set:j};function Rt(e,t,n){It.get=function(){return this[t][n]},It.set=function(e){this[t][n]=e},Object.defineProperty(e,n,It)}function Mt(e){e._watchers=[];var t=e.$options;t.props&&function(e,t){var n=e.$options.propsData||{},r=e._props={},o=e.$options._propKeys=[];e.$parent&&Ce(!1);var i=function(i){o.push(i);var a=Fe(i,t,n,e);Te(r,i,a),i in e||Rt(e,"_props",i)};for(var a in t)i(a);Ce(!0)}(e,t.props),t.methods&&function(e,t){e.$options.props;for(var n in t)e[n]=null==t[n]?j:O(t[n],e)}(e,t.methods),t.data?function(e){var t=e.$options.data;f(t=e._data="function"==typeof t?function(e,t){de();try{return e.call(t,t)}catch(e){return qe(e,t,"data()"),{}}finally{pe()}}(t,e):t||{})||(t={});var n=Object.keys(t),r=e.$options.props,o=(e.$options.methods,n.length);for(;o--;){var i=n[o];0,r&&b(r,i)||B(i)||Rt(e,"_data",i)}Oe(t,!0)}(e):Oe(e._data={},!0),t.computed&&function(e,t){var n=e._computedWatchers=Object.create(null),r=re();for(var o in t){var i=t[o],a="function"==typeof i?i:i.get;0,r||(n[o]=new Lt(e,a||j,j,Pt)),o in e||Dt(e,o,i)}}(e,t.computed),t.watch&&t.watch!==ee&&function(e,t){for(var n in t){var r=t[n];if(Array.isArray(r))for(var o=0;o=0||n.indexOf(e[o])<0)&&r.push(e[o]);return r}return e}function pn(e){this._init(e)}function vn(e){e.cid=0;var t=1;e.extend=function(e){e=e||{};var n=this,r=n.cid,o=e._Ctor||(e._Ctor={});if(o[r])return o[r];var i=e.name||n.options.name;var a=function(e){this._init(e)};return(a.prototype=Object.create(n.prototype)).constructor=a,a.cid=t++,a.options=Pe(n.options,e),a.super=n,a.options.props&&function(e){var t=e.options.props;for(var n in t)Rt(e.prototype,"_props",n)}(a),a.options.computed&&function(e){var t=e.options.computed;for(var n in t)Dt(e.prototype,n,t[n])}(a),a.extend=n.extend,a.mixin=n.mixin,a.use=n.use,D.forEach(function(e){a[e]=n[e]}),i&&(a.options.components[i]=a),a.superOptions=n.options,a.extendOptions=e,a.sealedOptions=S({},a.options),o[r]=a,a}}function hn(e){return e&&(e.Ctor.options.name||e.tag)}function mn(e,t){return Array.isArray(e)?e.indexOf(t)>-1:"string"==typeof e?e.split(",").indexOf(t)>-1:!!l(e)&&e.test(t)}function gn(e,t){var n=e.cache,r=e.keys,o=e._vnode;for(var i in n){var a=n[i];if(a){var s=hn(a.componentOptions);s&&!t(s)&&yn(n,i,r,o)}}}function yn(e,t,n,r){var o=e[t];!o||r&&o.tag===r.tag||o.componentInstance.$destroy(),e[t]=null,y(n,t)}!function(e){e.prototype._init=function(e){var t=this;t._uid=fn++,t._isVue=!0,e&&e._isComponent?function(e,t){var n=e.$options=Object.create(e.constructor.options),r=t._parentVnode;n.parent=t.parent,n._parentVnode=r,n._parentElm=t._parentElm,n._refElm=t._refElm;var o=r.componentOptions;n.propsData=o.propsData,n._parentListeners=o.listeners,n._renderChildren=o.children,n._componentTag=o.tag,t.render&&(n.render=t.render,n.staticRenderFns=t.staticRenderFns)}(t,e):t.$options=Pe(ln(t.constructor),e||{},t),t._renderProxy=t,t._self=t,function(e){var t=e.$options,n=t.parent;if(n&&!t.abstract){for(;n.$options.abstract&&n.$parent;)n=n.$parent;n.$children.push(e)}e.$parent=n,e.$root=n?n.$root:e,e.$children=[],e.$refs={},e._watcher=null,e._inactive=null,e._directInactive=!1,e._isMounted=!1,e._isDestroyed=!1,e._isBeingDestroyed=!1}(t),function(e){e._events=Object.create(null),e._hasHookEvent=!1;var t=e.$options._parentListeners;t&>(e,t)}(t),function(e){e._vnode=null,e._staticTrees=null;var t=e.$options,n=e.$vnode=t._parentVnode,o=n&&n.context;e.$slots=yt(t._renderChildren,o),e.$scopedSlots=r,e._c=function(t,n,r,o){return un(e,t,n,r,o,!1)},e.$createElement=function(t,n,r,o){return un(e,t,n,r,o,!0)};var i=n&&n.data;Te(e,"$attrs",i&&i.attrs||r,null,!0),Te(e,"$listeners",t._parentListeners||r,null,!0)}(t),$t(t,"beforeCreate"),function(e){var t=Bt(e.$options.inject,e);t&&(Ce(!1),Object.keys(t).forEach(function(n){Te(e,n,t[n])}),Ce(!0))}(t),Mt(t),function(e){var t=e.$options.provide;t&&(e._provided="function"==typeof t?t.call(e):t)}(t),$t(t,"created"),t.$options.el&&t.$mount(t.$options.el)}}(pn),function(e){var t={get:function(){return this._data}},n={get:function(){return this._props}};Object.defineProperty(e.prototype,"$data",t),Object.defineProperty(e.prototype,"$props",n),e.prototype.$set=Se,e.prototype.$delete=Ee,e.prototype.$watch=function(e,t,n){if(f(t))return Ut(this,e,t,n);(n=n||{}).user=!0;var r=new Lt(this,e,t,n);return n.immediate&&t.call(this,r.value),function(){r.teardown()}}}(pn),function(e){var t=/^hook:/;e.prototype.$on=function(e,n){if(Array.isArray(e))for(var r=0,o=e.length;r1?T(t):t;for(var n=T(arguments,1),r=0,o=t.length;rparseInt(this.max)&&yn(a,s[0],s,this._vnode)),t.data.keepAlive=!0}return t||e&&e[0]}}};!function(e){var t={get:function(){return U}};Object.defineProperty(e,"config",t),e.util={warn:ce,extend:S,mergeOptions:Pe,defineReactive:Te},e.set=Se,e.delete=Ee,e.nextTick=tt,e.options=Object.create(null),D.forEach(function(t){e.options[t+"s"]=Object.create(null)}),e.options._base=e,S(e.options.components,bn),function(e){e.use=function(e){var t=this._installedPlugins||(this._installedPlugins=[]);if(t.indexOf(e)>-1)return this;var n=T(arguments,1);return n.unshift(this),"function"==typeof e.install?e.install.apply(e,n):"function"==typeof e&&e.apply(null,n),t.push(e),this}}(e),function(e){e.mixin=function(e){return this.options=Pe(this.options,e),this}}(e),vn(e),function(e){D.forEach(function(t){e[t]=function(e,n){return n?("component"===t&&f(n)&&(n.name=n.name||e,n=this.options._base.extend(n)),"directive"===t&&"function"==typeof n&&(n={bind:n,update:n}),this.options[t+"s"][e]=n,n):this.options[t+"s"][e]}})}(e)}(pn),Object.defineProperty(pn.prototype,"$isServer",{get:re}),Object.defineProperty(pn.prototype,"$ssrContext",{get:function(){return this.$vnode&&this.$vnode.ssrContext}}),Object.defineProperty(pn,"FunctionalRenderContext",{value:en}),pn.version="2.5.17";var wn=h("style,class"),xn=h("input,textarea,option,select,progress"),Cn=function(e,t,n){return"value"===n&&xn(e)&&"button"!==t||"selected"===n&&"option"===e||"checked"===n&&"input"===e||"muted"===n&&"video"===e},$n=h("contenteditable,draggable,spellcheck"),An=h("allowfullscreen,async,autofocus,autoplay,checked,compact,controls,declare,default,defaultchecked,defaultmuted,defaultselected,defer,disabled,enabled,formnovalidate,hidden,indeterminate,inert,ismap,itemscope,loop,multiple,muted,nohref,noresize,noshade,novalidate,nowrap,open,pauseonexit,readonly,required,reversed,scoped,seamless,selected,sortable,translate,truespeed,typemustmatch,visible"),kn="http://www.w3.org/1999/xlink",On=function(e){return":"===e.charAt(5)&&"xlink"===e.slice(0,5)},Tn=function(e){return On(e)?e.slice(6,e.length):""},Sn=function(e){return null==e||!1===e};function En(e){for(var t=e.data,n=e,r=e;i(r.componentInstance);)(r=r.componentInstance._vnode)&&r.data&&(t=jn(r.data,t));for(;i(n=n.parent);)n&&n.data&&(t=jn(t,n.data));return function(e,t){if(i(e)||i(t))return Nn(e,Ln(t));return""}(t.staticClass,t.class)}function jn(e,t){return{staticClass:Nn(e.staticClass,t.staticClass),class:i(e.class)?[e.class,t.class]:t.class}}function Nn(e,t){return e?t?e+" "+t:e:t||""}function Ln(e){return Array.isArray(e)?function(e){for(var t,n="",r=0,o=e.length;r-1?or(e,t,n):An(t)?Sn(n)?e.removeAttribute(t):(n="allowfullscreen"===t&&"EMBED"===e.tagName?"true":t,e.setAttribute(t,n)):$n(t)?e.setAttribute(t,Sn(n)||"false"===n?"false":"true"):On(t)?Sn(n)?e.removeAttributeNS(kn,Tn(t)):e.setAttributeNS(kn,t,n):or(e,t,n)}function or(e,t,n){if(Sn(n))e.removeAttribute(t);else{if(G&&!Z&&"TEXTAREA"===e.tagName&&"placeholder"===t&&!e.__ieph){var r=function(t){t.stopImmediatePropagation(),e.removeEventListener("input",r)};e.addEventListener("input",r),e.__ieph=!0}e.setAttribute(t,n)}}var ir={create:nr,update:nr};function ar(e,t){var n=t.elm,r=t.data,a=e.data;if(!(o(r.staticClass)&&o(r.class)&&(o(a)||o(a.staticClass)&&o(a.class)))){var s=En(t),c=n._transitionClasses;i(c)&&(s=Nn(s,Ln(c))),s!==n._prevClass&&(n.setAttribute("class",s),n._prevClass=s)}}var sr,cr,ur,fr,lr,dr,pr={create:ar,update:ar},vr=/[\w).+\-_$\]]/;function hr(e){var t,n,r,o,i,a=!1,s=!1,c=!1,u=!1,f=0,l=0,d=0,p=0;for(r=0;r=0&&" "===(h=e.charAt(v));v--);h&&vr.test(h)||(u=!0)}}else void 0===o?(p=r+1,o=e.slice(0,r).trim()):m();function m(){(i||(i=[])).push(e.slice(p,r).trim()),p=r+1}if(void 0===o?o=e.slice(0,r).trim():0!==p&&m(),i)for(r=0;r-1?{exp:e.slice(0,fr),key:'"'+e.slice(fr+1)+'"'}:{exp:e,key:null};cr=e,fr=lr=dr=0;for(;!Sr();)Er(ur=Tr())?Nr(ur):91===ur&&jr(ur);return{exp:e.slice(0,lr),key:e.slice(lr+1,dr)}}(e);return null===n.key?e+"="+t:"$set("+n.exp+", "+n.key+", "+t+")"}function Tr(){return cr.charCodeAt(++fr)}function Sr(){return fr>=sr}function Er(e){return 34===e||39===e}function jr(e){var t=1;for(lr=fr;!Sr();)if(Er(e=Tr()))Nr(e);else if(91===e&&t++,93===e&&t--,0===t){dr=fr;break}}function Nr(e){for(var t=e;!Sr()&&(e=Tr())!==t;);}var Lr,Ir="__r",Rr="__c";function Mr(e,t,n,r,o){t=function(e){return e._withTask||(e._withTask=function(){Ze=!0;var t=e.apply(null,arguments);return Ze=!1,t})}(t),n&&(t=function(e,t,n){var r=Lr;return function o(){null!==e.apply(null,arguments)&&Pr(t,o,n,r)}}(t,e,r)),Lr.addEventListener(e,t,te?{capture:r,passive:o}:r)}function Pr(e,t,n,r){(r||Lr).removeEventListener(e,t._withTask||t,n)}function Dr(e,t){if(!o(e.data.on)||!o(t.data.on)){var n=t.data.on||{},r=e.data.on||{};Lr=t.elm,function(e){if(i(e[Ir])){var t=G?"change":"input";e[t]=[].concat(e[Ir],e[t]||[]),delete e[Ir]}i(e[Rr])&&(e.change=[].concat(e[Rr],e.change||[]),delete e[Rr])}(n),st(n,r,Mr,Pr,t.context),Lr=void 0}}var Fr={create:Dr,update:Dr};function Ur(e,t){if(!o(e.data.domProps)||!o(t.data.domProps)){var n,r,a=t.elm,s=e.data.domProps||{},c=t.data.domProps||{};for(n in i(c.__ob__)&&(c=t.data.domProps=S({},c)),s)o(c[n])&&(a[n]="");for(n in c){if(r=c[n],"textContent"===n||"innerHTML"===n){if(t.children&&(t.children.length=0),r===s[n])continue;1===a.childNodes.length&&a.removeChild(a.childNodes[0])}if("value"===n){a._value=r;var u=o(r)?"":String(r);Br(a,u)&&(a.value=u)}else a[n]=r}}}function Br(e,t){return!e.composing&&("OPTION"===e.tagName||function(e,t){var n=!0;try{n=document.activeElement!==e}catch(e){}return n&&e.value!==t}(e,t)||function(e,t){var n=e.value,r=e._vModifiers;if(i(r)){if(r.lazy)return!1;if(r.number)return v(n)!==v(t);if(r.trim)return n.trim()!==t.trim()}return n!==t}(e,t))}var Hr={create:Ur,update:Ur},qr=w(function(e){var t={},n=/:(.+)/;return e.split(/;(?![^(]*\))/g).forEach(function(e){if(e){var r=e.split(n);r.length>1&&(t[r[0].trim()]=r[1].trim())}}),t});function Vr(e){var t=zr(e.style);return e.staticStyle?S(e.staticStyle,t):t}function zr(e){return Array.isArray(e)?E(e):"string"==typeof e?qr(e):e}var Jr,Kr=/^--/,Wr=/\s*!important$/,Xr=function(e,t,n){if(Kr.test(t))e.style.setProperty(t,n);else if(Wr.test(n))e.style.setProperty(t,n.replace(Wr,""),"important");else{var r=Zr(t);if(Array.isArray(n))for(var o=0,i=n.length;o-1?t.split(/\s+/).forEach(function(t){return e.classList.add(t)}):e.classList.add(t);else{var n=" "+(e.getAttribute("class")||"")+" ";n.indexOf(" "+t+" ")<0&&e.setAttribute("class",(n+t).trim())}}function to(e,t){if(t&&(t=t.trim()))if(e.classList)t.indexOf(" ")>-1?t.split(/\s+/).forEach(function(t){return e.classList.remove(t)}):e.classList.remove(t),e.classList.length||e.removeAttribute("class");else{for(var n=" "+(e.getAttribute("class")||"")+" ",r=" "+t+" ";n.indexOf(r)>=0;)n=n.replace(r," ");(n=n.trim())?e.setAttribute("class",n):e.removeAttribute("class")}}function no(e){if(e){if("object"==typeof e){var t={};return!1!==e.css&&S(t,ro(e.name||"v")),S(t,e),t}return"string"==typeof e?ro(e):void 0}}var ro=w(function(e){return{enterClass:e+"-enter",enterToClass:e+"-enter-to",enterActiveClass:e+"-enter-active",leaveClass:e+"-leave",leaveToClass:e+"-leave-to",leaveActiveClass:e+"-leave-active"}}),oo=J&&!Z,io="transition",ao="animation",so="transition",co="transitionend",uo="animation",fo="animationend";oo&&(void 0===window.ontransitionend&&void 0!==window.onwebkittransitionend&&(so="WebkitTransition",co="webkitTransitionEnd"),void 0===window.onanimationend&&void 0!==window.onwebkitanimationend&&(uo="WebkitAnimation",fo="webkitAnimationEnd"));var lo=J?window.requestAnimationFrame?window.requestAnimationFrame.bind(window):setTimeout:function(e){return e()};function po(e){lo(function(){lo(e)})}function vo(e,t){var n=e._transitionClasses||(e._transitionClasses=[]);n.indexOf(t)<0&&(n.push(t),eo(e,t))}function ho(e,t){e._transitionClasses&&y(e._transitionClasses,t),to(e,t)}function mo(e,t,n){var r=yo(e,t),o=r.type,i=r.timeout,a=r.propCount;if(!o)return n();var s=o===io?co:fo,c=0,u=function(){e.removeEventListener(s,f),n()},f=function(t){t.target===e&&++c>=a&&u()};setTimeout(function(){c0&&(n=io,f=a,l=i.length):t===ao?u>0&&(n=ao,f=u,l=c.length):l=(n=(f=Math.max(a,u))>0?a>u?io:ao:null)?n===io?i.length:c.length:0,{type:n,timeout:f,propCount:l,hasTransform:n===io&&go.test(r[so+"Property"])}}function _o(e,t){for(;e.length1}function Ao(e,t){!0!==t.data.show&&wo(t)}var ko=function(e){var t,n,r={},c=e.modules,u=e.nodeOps;for(t=0;tv?_(e,o(n[g+1])?null:n[g+1].elm,n,p,g,r):p>g&&w(0,t,d,v)}(c,p,v,n,s):i(v)?(i(e.text)&&u.setTextContent(c,""),_(c,null,v,0,v.length-1,n)):i(p)?w(0,p,0,p.length-1):i(e.text)&&u.setTextContent(c,""):e.text!==t.text&&u.setTextContent(c,t.text),i(d)&&i(f=d.hook)&&i(f=f.postpatch)&&f(e,t)}}}function A(e,t,n){if(a(n)&&i(e.parent))e.parent.data.pendingInsert=t;else for(var r=0;r-1,a.selected!==i&&(a.selected=i);else if(I(jo(a),r))return void(e.selectedIndex!==s&&(e.selectedIndex=s));o||(e.selectedIndex=-1)}}function Eo(e,t){return t.every(function(t){return!I(t,e)})}function jo(e){return"_value"in e?e._value:e.value}function No(e){e.target.composing=!0}function Lo(e){e.target.composing&&(e.target.composing=!1,Io(e.target,"input"))}function Io(e,t){var n=document.createEvent("HTMLEvents");n.initEvent(t,!0,!0),e.dispatchEvent(n)}function Ro(e){return!e.componentInstance||e.data&&e.data.transition?e:Ro(e.componentInstance._vnode)}var Mo={model:Oo,show:{bind:function(e,t,n){var r=t.value,o=(n=Ro(n)).data&&n.data.transition,i=e.__vOriginalDisplay="none"===e.style.display?"":e.style.display;r&&o?(n.data.show=!0,wo(n,function(){e.style.display=i})):e.style.display=r?i:"none"},update:function(e,t,n){var r=t.value;!r!=!t.oldValue&&((n=Ro(n)).data&&n.data.transition?(n.data.show=!0,r?wo(n,function(){e.style.display=e.__vOriginalDisplay}):xo(n,function(){e.style.display="none"})):e.style.display=r?e.__vOriginalDisplay:"none")},unbind:function(e,t,n,r,o){o||(e.style.display=e.__vOriginalDisplay)}}},Po={name:String,appear:Boolean,css:Boolean,mode:String,type:String,enterClass:String,leaveClass:String,enterToClass:String,leaveToClass:String,enterActiveClass:String,leaveActiveClass:String,appearClass:String,appearActiveClass:String,appearToClass:String,duration:[Number,String,Object]};function Do(e){var t=e&&e.componentOptions;return t&&t.Ctor.options.abstract?Do(vt(t.children)):e}function Fo(e){var t={},n=e.$options;for(var r in n.propsData)t[r]=e[r];var o=n._parentListeners;for(var i in o)t[C(i)]=o[i];return t}function Uo(e,t){if(/\d-keep-alive$/.test(t.tag))return e("keep-alive",{props:t.componentOptions.propsData})}var Bo={name:"transition",props:Po,abstract:!0,render:function(e){var t=this,n=this.$slots.default;if(n&&(n=n.filter(function(e){return e.tag||pt(e)})).length){0;var r=this.mode;0;var o=n[0];if(function(e){for(;e=e.parent;)if(e.data.transition)return!0}(this.$vnode))return o;var i=Do(o);if(!i)return o;if(this._leaving)return Uo(e,o);var a="__transition-"+this._uid+"-";i.key=null==i.key?i.isComment?a+"comment":a+i.tag:s(i.key)?0===String(i.key).indexOf(a)?i.key:a+i.key:i.key;var c=(i.data||(i.data={})).transition=Fo(this),u=this._vnode,f=Do(u);if(i.data.directives&&i.data.directives.some(function(e){return"show"===e.name})&&(i.data.show=!0),f&&f.data&&!function(e,t){return t.key===e.key&&t.tag===e.tag}(i,f)&&!pt(f)&&(!f.componentInstance||!f.componentInstance._vnode.isComment)){var l=f.data.transition=S({},c);if("out-in"===r)return this._leaving=!0,ct(l,"afterLeave",function(){t._leaving=!1,t.$forceUpdate()}),Uo(e,o);if("in-out"===r){if(pt(i))return u;var d,p=function(){d()};ct(c,"afterEnter",p),ct(c,"enterCancelled",p),ct(l,"delayLeave",function(e){d=e})}}return o}}},Ho=S({tag:String,moveClass:String},Po);function qo(e){e.elm._moveCb&&e.elm._moveCb(),e.elm._enterCb&&e.elm._enterCb()}function Vo(e){e.data.newPos=e.elm.getBoundingClientRect()}function zo(e){var t=e.data.pos,n=e.data.newPos,r=t.left-n.left,o=t.top-n.top;if(r||o){e.data.moved=!0;var i=e.elm.style;i.transform=i.WebkitTransform="translate("+r+"px,"+o+"px)",i.transitionDuration="0s"}}delete Ho.mode;var Jo={Transition:Bo,TransitionGroup:{props:Ho,render:function(e){for(var t=this.tag||this.$vnode.data.tag||"span",n=Object.create(null),r=this.prevChildren=this.children,o=this.$slots.default||[],i=this.children=[],a=Fo(this),s=0;s-1?Fn[e]=t.constructor===window.HTMLUnknownElement||t.constructor===window.HTMLElement:Fn[e]=/HTMLUnknownElement/.test(t.toString())},S(pn.options.directives,Mo),S(pn.options.components,Jo),pn.prototype.__patch__=J?ko:j,pn.prototype.$mount=function(e,t){return function(e,t,n){return e.$el=t,e.$options.render||(e.$options.render=me),$t(e,"beforeMount"),new Lt(e,function(){e._update(e._render(),n)},j,null,!0),n=!1,null==e.$vnode&&(e._isMounted=!0,$t(e,"mounted")),e}(this,e=e&&J?Bn(e):void 0,t)},J&&setTimeout(function(){U.devtools&&oe&&oe.emit("init",pn)},0);var Ko=/\{\{((?:.|\n)+?)\}\}/g,Wo=/[-.*+?^${}()|[\]\/\\]/g,Xo=w(function(e){var t=e[0].replace(Wo,"\\$&"),n=e[1].replace(Wo,"\\$&");return new RegExp(t+"((?:.|\\n)+?)"+n,"g")});var Go={staticKeys:["staticClass"],transformNode:function(e,t){t.warn;var n=Ar(e,"class");n&&(e.staticClass=JSON.stringify(n));var r=$r(e,"class",!1);r&&(e.classBinding=r)},genData:function(e){var t="";return e.staticClass&&(t+="staticClass:"+e.staticClass+","),e.classBinding&&(t+="class:"+e.classBinding+","),t}};var Zo,Yo={staticKeys:["staticStyle"],transformNode:function(e,t){t.warn;var n=Ar(e,"style");n&&(e.staticStyle=JSON.stringify(qr(n)));var r=$r(e,"style",!1);r&&(e.styleBinding=r)},genData:function(e){var t="";return e.staticStyle&&(t+="staticStyle:"+e.staticStyle+","),e.styleBinding&&(t+="style:("+e.styleBinding+"),"),t}},Qo=function(e){return(Zo=Zo||document.createElement("div")).innerHTML=e,Zo.textContent},ei=h("area,base,br,col,embed,frame,hr,img,input,isindex,keygen,link,meta,param,source,track,wbr"),ti=h("colgroup,dd,dt,li,options,p,td,tfoot,th,thead,tr,source"),ni=h("address,article,aside,base,blockquote,body,caption,col,colgroup,dd,details,dialog,div,dl,dt,fieldset,figcaption,figure,footer,form,h1,h2,h3,h4,h5,h6,head,header,hgroup,hr,html,legend,li,menuitem,meta,optgroup,option,param,rp,rt,source,style,summary,tbody,td,tfoot,th,thead,title,tr,track"),ri=/^\s*([^\s"'<>\/=]+)(?:\s*(=)\s*(?:"([^"]*)"+|'([^']*)'+|([^\s"'=<>`]+)))?/,oi="[a-zA-Z_][\\w\\-\\.]*",ii="((?:"+oi+"\\:)?"+oi+")",ai=new RegExp("^<"+ii),si=/^\s*(\/?)>/,ci=new RegExp("^<\\/"+ii+"[^>]*>"),ui=/^]+>/i,fi=/^",""":'"',"&":"&"," ":"\n"," ":"\t"},mi=/&(?:lt|gt|quot|amp);/g,gi=/&(?:lt|gt|quot|amp|#10|#9);/g,yi=h("pre,textarea",!0),_i=function(e,t){return e&&yi(e)&&"\n"===t[0]};function bi(e,t){var n=t?gi:mi;return e.replace(n,function(e){return hi[e]})}var wi,xi,Ci,$i,Ai,ki,Oi,Ti,Si=/^@|^v-on:/,Ei=/^v-|^@|^:/,ji=/([^]*?)\s+(?:in|of)\s+([^]*)/,Ni=/,([^,\}\]]*)(?:,([^,\}\]]*))?$/,Li=/^\(|\)$/g,Ii=/:(.*)$/,Ri=/^:|^v-bind:/,Mi=/\.[^.]+/g,Pi=w(Qo);function Di(e,t,n){return{type:1,tag:e,attrsList:t,attrsMap:function(e){for(var t={},n=0,r=e.length;n]*>)","i")),d=e.replace(l,function(e,n,r){return u=r.length,pi(f)||"noscript"===f||(n=n.replace(//g,"$1").replace(//g,"$1")),_i(f,n)&&(n=n.slice(1)),t.chars&&t.chars(n),""});c+=e.length-d.length,e=d,k(f,c-u,c)}else{var p=e.indexOf("<");if(0===p){if(fi.test(e)){var v=e.indexOf("--\x3e");if(v>=0){t.shouldKeepComment&&t.comment(e.substring(4,v)),C(v+3);continue}}if(li.test(e)){var h=e.indexOf("]>");if(h>=0){C(h+2);continue}}var m=e.match(ui);if(m){C(m[0].length);continue}var g=e.match(ci);if(g){var y=c;C(g[0].length),k(g[1],y,c);continue}var _=$();if(_){A(_),_i(r,e)&&C(1);continue}}var b=void 0,w=void 0,x=void 0;if(p>=0){for(w=e.slice(p);!(ci.test(w)||ai.test(w)||fi.test(w)||li.test(w)||(x=w.indexOf("<",1))<0);)p+=x,w=e.slice(p);b=e.substring(0,p),C(p)}p<0&&(b=e,e=""),t.chars&&b&&t.chars(b)}if(e===n){t.chars&&t.chars(e);break}}function C(t){c+=t,e=e.substring(t)}function $(){var t=e.match(ai);if(t){var n,r,o={tagName:t[1],attrs:[],start:c};for(C(t[0].length);!(n=e.match(si))&&(r=e.match(ri));)C(r[0].length),o.attrs.push(r);if(n)return o.unarySlash=n[1],C(n[0].length),o.end=c,o}}function A(e){var n=e.tagName,c=e.unarySlash;i&&("p"===r&&ni(n)&&k(r),s(n)&&r===n&&k(n));for(var u=a(n)||!!c,f=e.attrs.length,l=new Array(f),d=0;d=0&&o[a].lowerCasedTag!==s;a--);else a=0;if(a>=0){for(var u=o.length-1;u>=a;u--)t.end&&t.end(o[u].tag,n,i);o.length=a,r=a&&o[a-1].tag}else"br"===s?t.start&&t.start(e,[],!0,n,i):"p"===s&&(t.start&&t.start(e,[],!1,n,i),t.end&&t.end(e,n,i))}k()}(e,{warn:wi,expectHTML:t.expectHTML,isUnaryTag:t.isUnaryTag,canBeLeftOpenTag:t.canBeLeftOpenTag,shouldDecodeNewlines:t.shouldDecodeNewlines,shouldDecodeNewlinesForHref:t.shouldDecodeNewlinesForHref,shouldKeepComment:t.comments,start:function(e,i,u){var f=r&&r.ns||Ti(e);G&&"svg"===f&&(i=function(e){for(var t=[],n=0;nc&&(s.push(i=e.slice(c,o)),a.push(JSON.stringify(i)));var u=hr(r[1].trim());a.push("_s("+u+")"),s.push({"@binding":u}),c=o+r[0].length}return c-1"+("true"===i?":("+t+")":":_q("+t+","+i+")")),Cr(e,"change","var $$a="+t+",$$el=$event.target,$$c=$$el.checked?("+i+"):("+a+");if(Array.isArray($$a)){var $$v="+(r?"_n("+o+")":o)+",$$i=_i($$a,$$v);if($$el.checked){$$i<0&&("+Or(t,"$$a.concat([$$v])")+")}else{$$i>-1&&("+Or(t,"$$a.slice(0,$$i).concat($$a.slice($$i+1))")+")}}else{"+Or(t,"$$c")+"}",null,!0)}(e,r,o);else if("input"===i&&"radio"===a)!function(e,t,n){var r=n&&n.number,o=$r(e,"value")||"null";_r(e,"checked","_q("+t+","+(o=r?"_n("+o+")":o)+")"),Cr(e,"change",Or(t,o),null,!0)}(e,r,o);else if("input"===i||"textarea"===i)!function(e,t,n){var r=e.attrsMap.type,o=n||{},i=o.lazy,a=o.number,s=o.trim,c=!i&&"range"!==r,u=i?"change":"range"===r?Ir:"input",f="$event.target.value";s&&(f="$event.target.value.trim()"),a&&(f="_n("+f+")");var l=Or(t,f);c&&(l="if($event.target.composing)return;"+l),_r(e,"value","("+t+")"),Cr(e,u,l,null,!0),(s||a)&&Cr(e,"blur","$forceUpdate()")}(e,r,o);else if(!U.isReservedTag(i))return kr(e,r,o),!1;return!0},text:function(e,t){t.value&&_r(e,"textContent","_s("+t.value+")")},html:function(e,t){t.value&&_r(e,"innerHTML","_s("+t.value+")")}},isPreTag:function(e){return"pre"===e},isUnaryTag:ei,mustUseProp:Cn,canBeLeftOpenTag:ti,isReservedTag:Pn,getTagNamespace:Dn,staticKeys:function(e){return e.reduce(function(e,t){return e.concat(t.staticKeys||[])},[]).join(",")}(Ki)},Zi=w(function(e){return h("type,tag,attrsList,attrsMap,plain,parent,children,attrs"+(e?","+e:""))});function Yi(e,t){e&&(Wi=Zi(t.staticKeys||""),Xi=t.isReservedTag||N,function e(t){t.static=function(e){if(2===e.type)return!1;if(3===e.type)return!0;return!(!e.pre&&(e.hasBindings||e.if||e.for||m(e.tag)||!Xi(e.tag)||function(e){for(;e.parent;){if("template"!==(e=e.parent).tag)return!1;if(e.for)return!0}return!1}(e)||!Object.keys(e).every(Wi)))}(t);if(1===t.type){if(!Xi(t.tag)&&"slot"!==t.tag&&null==t.attrsMap["inline-template"])return;for(var n=0,r=t.children.length;n|^function\s*\(/,ea=/^[A-Za-z_$][\w$]*(?:\.[A-Za-z_$][\w$]*|\['[^']*?']|\["[^"]*?"]|\[\d+]|\[[A-Za-z_$][\w$]*])*$/,ta={esc:27,tab:9,enter:13,space:32,up:38,left:37,right:39,down:40,delete:[8,46]},na={esc:"Escape",tab:"Tab",enter:"Enter",space:" ",up:["Up","ArrowUp"],left:["Left","ArrowLeft"],right:["Right","ArrowRight"],down:["Down","ArrowDown"],delete:["Backspace","Delete"]},ra=function(e){return"if("+e+")return null;"},oa={stop:"$event.stopPropagation();",prevent:"$event.preventDefault();",self:ra("$event.target !== $event.currentTarget"),ctrl:ra("!$event.ctrlKey"),shift:ra("!$event.shiftKey"),alt:ra("!$event.altKey"),meta:ra("!$event.metaKey"),left:ra("'button' in $event && $event.button !== 0"),middle:ra("'button' in $event && $event.button !== 1"),right:ra("'button' in $event && $event.button !== 2")};function ia(e,t,n){var r=t?"nativeOn:{":"on:{";for(var o in e)r+='"'+o+'":'+aa(o,e[o])+",";return r.slice(0,-1)+"}"}function aa(e,t){if(!t)return"function(){}";if(Array.isArray(t))return"["+t.map(function(t){return aa(e,t)}).join(",")+"]";var n=ea.test(t.value),r=Qi.test(t.value);if(t.modifiers){var o="",i="",a=[];for(var s in t.modifiers)if(oa[s])i+=oa[s],ta[s]&&a.push(s);else if("exact"===s){var c=t.modifiers;i+=ra(["ctrl","shift","alt","meta"].filter(function(e){return!c[e]}).map(function(e){return"$event."+e+"Key"}).join("||"))}else a.push(s);return a.length&&(o+=function(e){return"if(!('button' in $event)&&"+e.map(sa).join("&&")+")return null;"}(a)),i&&(o+=i),"function($event){"+o+(n?"return "+t.value+"($event)":r?"return ("+t.value+")($event)":t.value)+"}"}return n||r?t.value:"function($event){"+t.value+"}"}function sa(e){var t=parseInt(e,10);if(t)return"$event.keyCode!=="+t;var n=ta[e],r=na[e];return"_k($event.keyCode,"+JSON.stringify(e)+","+JSON.stringify(n)+",$event.key,"+JSON.stringify(r)+")"}var ca={on:function(e,t){e.wrapListeners=function(e){return"_g("+e+","+t.value+")"}},bind:function(e,t){e.wrapData=function(n){return"_b("+n+",'"+e.tag+"',"+t.value+","+(t.modifiers&&t.modifiers.prop?"true":"false")+(t.modifiers&&t.modifiers.sync?",true":"")+")"}},cloak:j},ua=function(e){this.options=e,this.warn=e.warn||gr,this.transforms=yr(e.modules,"transformCode"),this.dataGenFns=yr(e.modules,"genData"),this.directives=S(S({},ca),e.directives);var t=e.isReservedTag||N;this.maybeComponent=function(e){return!t(e.tag)},this.onceId=0,this.staticRenderFns=[]};function fa(e,t){var n=new ua(t);return{render:"with(this){return "+(e?la(e,n):'_c("div")')+"}",staticRenderFns:n.staticRenderFns}}function la(e,t){if(e.staticRoot&&!e.staticProcessed)return da(e,t);if(e.once&&!e.onceProcessed)return pa(e,t);if(e.for&&!e.forProcessed)return function(e,t,n,r){var o=e.for,i=e.alias,a=e.iterator1?","+e.iterator1:"",s=e.iterator2?","+e.iterator2:"";0;return e.forProcessed=!0,(r||"_l")+"(("+o+"),function("+i+a+s+"){return "+(n||la)(e,t)+"})"}(e,t);if(e.if&&!e.ifProcessed)return va(e,t);if("template"!==e.tag||e.slotTarget){if("slot"===e.tag)return function(e,t){var n=e.slotName||'"default"',r=ga(e,t),o="_t("+n+(r?","+r:""),i=e.attrs&&"{"+e.attrs.map(function(e){return C(e.name)+":"+e.value}).join(",")+"}",a=e.attrsMap["v-bind"];!i&&!a||r||(o+=",null");i&&(o+=","+i);a&&(o+=(i?"":",null")+","+a);return o+")"}(e,t);var n;if(e.component)n=function(e,t,n){var r=t.inlineTemplate?null:ga(t,n,!0);return"_c("+e+","+ha(t,n)+(r?","+r:"")+")"}(e.component,e,t);else{var r=e.plain?void 0:ha(e,t),o=e.inlineTemplate?null:ga(e,t,!0);n="_c('"+e.tag+"'"+(r?","+r:"")+(o?","+o:"")+")"}for(var i=0;i':'
',Ca.innerHTML.indexOf(" ")>0}var ka=!!J&&Aa(!1),Oa=!!J&&Aa(!0),Ta=w(function(e){var t=Bn(e);return t&&t.innerHTML}),Sa=pn.prototype.$mount;pn.prototype.$mount=function(e,t){if((e=e&&Bn(e))===document.body||e===document.documentElement)return this;var n=this.$options;if(!n.render){var r=n.template;if(r)if("string"==typeof r)"#"===r.charAt(0)&&(r=Ta(r));else{if(!r.nodeType)return this;r=r.innerHTML}else e&&(r=function(e){if(e.outerHTML)return e.outerHTML;var t=document.createElement("div");return t.appendChild(e.cloneNode(!0)),t.innerHTML}(e));if(r){0;var o=$a(r,{shouldDecodeNewlines:ka,shouldDecodeNewlinesForHref:Oa,delimiters:n.delimiters,comments:n.comments},this),i=o.render,a=o.staticRenderFns;n.render=i,n.staticRenderFns=a}}return Sa.call(this,e,t)},pn.compile=$a,t.default=pn}.call(this,n(30),n(95).setImmediate)},95:function(e,t,n){(function(e){var r=void 0!==e&&e||"undefined"!=typeof self&&self||window,o=Function.prototype.apply;function i(e,t){this._id=e,this._clearFn=t}t.setTimeout=function(){return new i(o.call(setTimeout,r,arguments),clearTimeout)},t.setInterval=function(){return new i(o.call(setInterval,r,arguments),clearInterval)},t.clearTimeout=t.clearInterval=function(e){e&&e.close()},i.prototype.unref=i.prototype.ref=function(){},i.prototype.close=function(){this._clearFn.call(r,this._id)},t.enroll=function(e,t){clearTimeout(e._idleTimeoutId),e._idleTimeout=t},t.unenroll=function(e){clearTimeout(e._idleTimeoutId),e._idleTimeout=-1},t._unrefActive=t.active=function(e){clearTimeout(e._idleTimeoutId);var t=e._idleTimeout;t>=0&&(e._idleTimeoutId=setTimeout(function(){e._onTimeout&&e._onTimeout()},t))},n(96),t.setImmediate="undefined"!=typeof self&&self.setImmediate||void 0!==e&&e.setImmediate||this&&this.setImmediate,t.clearImmediate="undefined"!=typeof self&&self.clearImmediate||void 0!==e&&e.clearImmediate||this&&this.clearImmediate}).call(this,n(30))},96:function(e,t,n){(function(e,t){!function(e,n){"use strict";if(!e.setImmediate){var r,o=1,i={},a=!1,s=e.document,c=Object.getPrototypeOf&&Object.getPrototypeOf(e);c=c&&c.setTimeout?c:e,"[object process]"==={}.toString.call(e.process)?r=function(e){t.nextTick(function(){f(e)})}:function(){if(e.postMessage&&!e.importScripts){var t=!0,n=e.onmessage;return e.onmessage=function(){t=!1},e.postMessage("","*"),e.onmessage=n,t}}()?function(){var t="setImmediate$"+Math.random()+"$",n=function(n){n.source===e&&"string"==typeof n.data&&0===n.data.indexOf(t)&&f(+n.data.slice(t.length))};e.addEventListener?e.addEventListener("message",n,!1):e.attachEvent("onmessage",n),r=function(n){e.postMessage(t+n,"*")}}():e.MessageChannel?function(){var e=new MessageChannel;e.port1.onmessage=function(e){f(e.data)},r=function(t){e.port2.postMessage(t)}}():s&&"onreadystatechange"in s.createElement("script")?function(){var e=s.documentElement;r=function(t){var n=s.createElement("script");n.onreadystatechange=function(){f(t),n.onreadystatechange=null,e.removeChild(n),n=null},e.appendChild(n)}}():r=function(e){setTimeout(f,0,e)},c.setImmediate=function(e){"function"!=typeof e&&(e=new Function(""+e));for(var t=new Array(arguments.length-1),n=0;n * @license MIT */ -e.exports=function(e){return null!=e&&(n(e)||function(e){return"function"==typeof e.readFloatLE&&"function"==typeof e.slice&&n(e.slice(0,0))}(e)||!!e._isBuffer)}}}); +t.exports=function(t){return null!=t&&(n(t)||function(t){return"function"==typeof t.readFloatLE&&"function"==typeof t.slice&&n(t.slice(0,0))}(t)||!!t._isBuffer)}},101:function(t,e,n){"use strict";var r=n(41),i=n(6),o=n(110),a=n(111);function u(t){this.defaults=t,this.interceptors={request:new o,response:new o}}u.prototype.request=function(t){"string"==typeof t&&(t=i.merge({url:arguments[0]},arguments[1])),(t=i.merge(r,{method:"get"},this.defaults,t)).method=t.method.toLowerCase();var e=[a,void 0],n=Promise.resolve(t);for(this.interceptors.request.forEach(function(t){e.unshift(t.fulfilled,t.rejected)}),this.interceptors.response.forEach(function(t){e.push(t.fulfilled,t.rejected)});e.length;)n=n.then(e.shift(),e.shift());return n},i.forEach(["delete","get","head","options"],function(t){u.prototype[t]=function(e,n){return this.request(i.merge(n||{},{method:t,url:e}))}}),i.forEach(["post","put","patch"],function(t){u.prototype[t]=function(e,n,r){return this.request(i.merge(r||{},{method:t,url:e,data:n}))}}),t.exports=u},102:function(t,e,n){"use strict";var r=n(6);t.exports=function(t,e){r.forEach(t,function(n,r){r!==e&&r.toUpperCase()===e.toUpperCase()&&(t[e]=n,delete t[r])})}},103:function(t,e,n){"use strict";var r=n(55);t.exports=function(t,e,n){var i=n.config.validateStatus;n.status&&i&&!i(n.status)?e(r("Request failed with status code "+n.status,n.config,null,n.request,n)):t(n)}},104:function(t,e,n){"use strict";t.exports=function(t,e,n,r,i){return t.config=e,n&&(t.code=n),t.request=r,t.response=i,t}},105:function(t,e,n){"use strict";var r=n(6);function i(t){return encodeURIComponent(t).replace(/%40/gi,"@").replace(/%3A/gi,":").replace(/%24/g,"$").replace(/%2C/gi,",").replace(/%20/g,"+").replace(/%5B/gi,"[").replace(/%5D/gi,"]")}t.exports=function(t,e,n){if(!e)return t;var o;if(n)o=n(e);else if(r.isURLSearchParams(e))o=e.toString();else{var a=[];r.forEach(e,function(t,e){null!==t&&void 0!==t&&(r.isArray(t)?e+="[]":t=[t],r.forEach(t,function(t){r.isDate(t)?t=t.toISOString():r.isObject(t)&&(t=JSON.stringify(t)),a.push(i(e)+"="+i(t))}))}),o=a.join("&")}return o&&(t+=(-1===t.indexOf("?")?"?":"&")+o),t}},106:function(t,e,n){"use strict";var r=n(6),i=["age","authorization","content-length","content-type","etag","expires","from","host","if-modified-since","if-unmodified-since","last-modified","location","max-forwards","proxy-authorization","referer","retry-after","user-agent"];t.exports=function(t){var e,n,o,a={};return t?(r.forEach(t.split("\n"),function(t){if(o=t.indexOf(":"),e=r.trim(t.substr(0,o)).toLowerCase(),n=r.trim(t.substr(o+1)),e){if(a[e]&&i.indexOf(e)>=0)return;a[e]="set-cookie"===e?(a[e]?a[e]:[]).concat([n]):a[e]?a[e]+", "+n:n}}),a):a}},107:function(t,e,n){"use strict";var r=n(6);t.exports=r.isStandardBrowserEnv()?function(){var t,e=/(msie|trident)/i.test(navigator.userAgent),n=document.createElement("a");function i(t){var r=t;return e&&(n.setAttribute("href",r),r=n.href),n.setAttribute("href",r),{href:n.href,protocol:n.protocol?n.protocol.replace(/:$/,""):"",host:n.host,search:n.search?n.search.replace(/^\?/,""):"",hash:n.hash?n.hash.replace(/^#/,""):"",hostname:n.hostname,port:n.port,pathname:"/"===n.pathname.charAt(0)?n.pathname:"/"+n.pathname}}return t=i(window.location.href),function(e){var n=r.isString(e)?i(e):e;return n.protocol===t.protocol&&n.host===t.host}}():function(){return!0}},108:function(t,e,n){"use strict";var r="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=";function i(){this.message="String contains an invalid character"}i.prototype=new Error,i.prototype.code=5,i.prototype.name="InvalidCharacterError",t.exports=function(t){for(var e,n,o=String(t),a="",u=0,s=r;o.charAt(0|u)||(s="=",u%1);a+=s.charAt(63&e>>8-u%1*8)){if((n=o.charCodeAt(u+=.75))>255)throw new i;e=e<<8|n}return a}},109:function(t,e,n){"use strict";var r=n(6);t.exports=r.isStandardBrowserEnv()?{write:function(t,e,n,i,o,a){var u=[];u.push(t+"="+encodeURIComponent(e)),r.isNumber(n)&&u.push("expires="+new Date(n).toGMTString()),r.isString(i)&&u.push("path="+i),r.isString(o)&&u.push("domain="+o),!0===a&&u.push("secure"),document.cookie=u.join("; ")},read:function(t){var e=document.cookie.match(new RegExp("(^|;\\s*)("+t+")=([^;]*)"));return e?decodeURIComponent(e[3]):null},remove:function(t){this.write(t,"",Date.now()-864e5)}}:{write:function(){},read:function(){return null},remove:function(){}}},110:function(t,e,n){"use strict";var r=n(6);function i(){this.handlers=[]}i.prototype.use=function(t,e){return this.handlers.push({fulfilled:t,rejected:e}),this.handlers.length-1},i.prototype.eject=function(t){this.handlers[t]&&(this.handlers[t]=null)},i.prototype.forEach=function(t){r.forEach(this.handlers,function(e){null!==e&&t(e)})},t.exports=i},111:function(t,e,n){"use strict";var r=n(6),i=n(112),o=n(56),a=n(41),u=n(113),s=n(114);function c(t){t.cancelToken&&t.cancelToken.throwIfRequested()}t.exports=function(t){return c(t),t.baseURL&&!u(t.url)&&(t.url=s(t.baseURL,t.url)),t.headers=t.headers||{},t.data=i(t.data,t.headers,t.transformRequest),t.headers=r.merge(t.headers.common||{},t.headers[t.method]||{},t.headers||{}),r.forEach(["delete","get","head","post","put","patch","common"],function(e){delete t.headers[e]}),(t.adapter||a.adapter)(t).then(function(e){return c(t),e.data=i(e.data,e.headers,t.transformResponse),e},function(e){return o(e)||(c(t),e&&e.response&&(e.response.data=i(e.response.data,e.response.headers,t.transformResponse))),Promise.reject(e)})}},112:function(t,e,n){"use strict";var r=n(6);t.exports=function(t,e,n){return r.forEach(n,function(n){t=n(t,e)}),t}},113:function(t,e,n){"use strict";t.exports=function(t){return/^([a-z][a-z\d\+\-\.]*:)?\/\//i.test(t)}},114:function(t,e,n){"use strict";t.exports=function(t,e){return e?t.replace(/\/+$/,"")+"/"+e.replace(/^\/+/,""):t}},115:function(t,e,n){"use strict";var r=n(57);function i(t){if("function"!=typeof t)throw new TypeError("executor must be a function.");var e;this.promise=new Promise(function(t){e=t});var n=this;t(function(t){n.reason||(n.reason=new r(t),e(n.reason))})}i.prototype.throwIfRequested=function(){if(this.reason)throw this.reason},i.source=function(){var t;return{token:new i(function(e){t=e}),cancel:t}},t.exports=i},116:function(t,e,n){"use strict";t.exports=function(t){return function(e){return t.apply(null,e)}}},117:function(t,e,n){window,t.exports=function(t){return function(t){var e={};function n(r){if(e[r])return e[r].exports;var i=e[r]={i:r,l:!1,exports:{}};return t[r].call(i.exports,i,i.exports,n),i.l=!0,i.exports}return n.m=t,n.c=e,n.d=function(t,e,r){n.o(t,e)||Object.defineProperty(t,e,{enumerable:!0,get:r})},n.r=function(t){"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(t,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(t,"__esModule",{value:!0})},n.t=function(t,e){if(1&e&&(t=n(t)),8&e)return t;if(4&e&&"object"==typeof t&&t&&t.__esModule)return t;var r=Object.create(null);if(n.r(r),Object.defineProperty(r,"default",{enumerable:!0,value:t}),2&e&&"string"!=typeof t)for(var i in t)n.d(r,i,function(e){return t[e]}.bind(null,i));return r},n.n=function(t){var e=t&&t.__esModule?function(){return t.default}:function(){return t};return n.d(e,"a",e),e},n.o=function(t,e){return Object.prototype.hasOwnProperty.call(t,e)},n.p="/dist/",n(n.s=287)}([function(t,e,n){var r=n(2),i=n(8),o=n(13),a=n(10),u=n(20),s=function(t,e,n){var c,l,f,p,h=t&s.F,d=t&s.G,v=t&s.S,m=t&s.P,g=t&s.B,y=d?r:v?r[e]||(r[e]={}):(r[e]||{}).prototype,_=d?i:i[e]||(i[e]={}),b=_.prototype||(_.prototype={});for(c in d&&(n=e),n)f=((l=!h&&y&&void 0!==y[c])?y:n)[c],p=g&&l?u(f,r):m&&"function"==typeof f?u(Function.call,f):f,y&&a(y,c,f,t&s.U),_[c]!=f&&o(_,c,p),m&&b[c]!=f&&(b[c]=f)};r.core=i,s.F=1,s.G=2,s.S=4,s.P=8,s.B=16,s.W=32,s.U=64,s.R=128,t.exports=s},function(t,e){t.exports=function(t){try{return!!t()}catch(t){return!0}}},function(t,e){var n=t.exports="undefined"!=typeof window&&window.Math==Math?window:"undefined"!=typeof self&&self.Math==Math?self:Function("return this")();"number"==typeof __g&&(__g=n)},function(t,e){t.exports=function(t){return"object"==typeof t?null!==t:"function"==typeof t}},function(t,e,n){var r=n(3);t.exports=function(t){if(!r(t))throw TypeError(t+" is not an object!");return t}},function(t,e,n){var r=n(59)("wks"),i=n(29),o=n(2).Symbol,a="function"==typeof o;(t.exports=function(t){return r[t]||(r[t]=a&&o[t]||(a?o:i)("Symbol."+t))}).store=r},function(t,e,n){var r=n(4),i=n(84),o=n(26),a=Object.defineProperty;e.f=n(7)?Object.defineProperty:function(t,e,n){if(r(t),e=o(e,!0),r(n),i)try{return a(t,e,n)}catch(t){}if("get"in n||"set"in n)throw TypeError("Accessors not supported!");return"value"in n&&(t[e]=n.value),t}},function(t,e,n){t.exports=!n(1)(function(){return 7!=Object.defineProperty({},"a",{get:function(){return 7}}).a})},function(t,e){var n=t.exports={version:"2.5.7"};"number"==typeof __e&&(__e=n)},function(t,e,n){var r=n(24),i=Math.min;t.exports=function(t){return t>0?i(r(t),9007199254740991):0}},function(t,e,n){var r=n(2),i=n(13),o=n(12),a=n(29)("src"),u=Function.toString,s=(""+u).split("toString");n(8).inspectSource=function(t){return u.call(t)},(t.exports=function(t,e,n,u){var c="function"==typeof n;c&&(o(n,"name")||i(n,"name",e)),t[e]!==n&&(c&&(o(n,a)||i(n,a,t[e]?""+t[e]:s.join(String(e)))),t===r?t[e]=n:u?t[e]?t[e]=n:i(t,e,n):(delete t[e],i(t,e,n)))})(Function.prototype,"toString",function(){return"function"==typeof this&&this[a]||u.call(this)})},function(t,e,n){var r=n(0),i=n(1),o=n(23),a=/"/g,u=function(t,e,n,r){var i=String(o(t)),u="<"+e;return""!==n&&(u+=" "+n+'="'+String(r).replace(a,""")+'"'),u+">"+i+""};t.exports=function(t,e){var n={};n[t]=e(u),r(r.P+r.F*i(function(){var e=""[t]('"');return e!==e.toLowerCase()||e.split('"').length>3}),"String",n)}},function(t,e){var n={}.hasOwnProperty;t.exports=function(t,e){return n.call(t,e)}},function(t,e,n){var r=n(6),i=n(28);t.exports=n(7)?function(t,e,n){return r.f(t,e,i(1,n))}:function(t,e,n){return t[e]=n,t}},function(t,e,n){var r=n(43),i=n(23);t.exports=function(t){return r(i(t))}},function(t,e,n){var r=n(23);t.exports=function(t){return Object(r(t))}},function(t,e,n){"use strict";var r=n(1);t.exports=function(t,e){return!!t&&r(function(){e?t.call(null,function(){},1):t.call(null)})}},function(t,e,n){var r=n(44),i=n(28),o=n(14),a=n(26),u=n(12),s=n(84),c=Object.getOwnPropertyDescriptor;e.f=n(7)?c:function(t,e){if(t=o(t),e=a(e,!0),s)try{return c(t,e)}catch(t){}if(u(t,e))return i(!r.f.call(t,e),t[e])}},function(t,e,n){var r=n(0),i=n(8),o=n(1);t.exports=function(t,e){var n=(i.Object||{})[t]||Object[t],a={};a[t]=e(n),r(r.S+r.F*o(function(){n(1)}),"Object",a)}},function(t,e,n){var r=n(20),i=n(43),o=n(15),a=n(9),u=n(210);t.exports=function(t,e){var n=1==t,s=2==t,c=3==t,l=4==t,f=6==t,p=5==t||f,h=e||u;return function(e,u,d){for(var v,m,g=o(e),y=i(g),_=r(u,d,3),b=a(y.length),x=0,w=n?h(e,b):s?h(e,0):void 0;b>x;x++)if((p||x in y)&&(m=_(v=y[x],x,g),t))if(n)w[x]=m;else if(m)switch(t){case 3:return!0;case 5:return v;case 6:return x;case 2:w.push(v)}else if(l)return!1;return f?-1:c||l?l:w}}},function(t,e,n){var r=n(21);t.exports=function(t,e,n){if(r(t),void 0===e)return t;switch(n){case 1:return function(n){return t.call(e,n)};case 2:return function(n,r){return t.call(e,n,r)};case 3:return function(n,r,i){return t.call(e,n,r,i)}}return function(){return t.apply(e,arguments)}}},function(t,e){t.exports=function(t){if("function"!=typeof t)throw TypeError(t+" is not a function!");return t}},function(t,e){var n={}.toString;t.exports=function(t){return n.call(t).slice(8,-1)}},function(t,e){t.exports=function(t){if(void 0==t)throw TypeError("Can't call method on "+t);return t}},function(t,e){var n=Math.ceil,r=Math.floor;t.exports=function(t){return isNaN(t=+t)?0:(t>0?r:n)(t)}},function(t,e,n){"use strict";if(n(7)){var r=n(30),i=n(2),o=n(1),a=n(0),u=n(56),s=n(82),c=n(20),l=n(40),f=n(28),p=n(13),h=n(41),d=n(24),v=n(9),m=n(109),g=n(32),y=n(26),_=n(12),b=n(48),x=n(3),w=n(15),S=n(75),k=n(33),O=n(35),A=n(34).f,C=n(77),T=n(29),E=n(5),M=n(19),D=n(46),P=n(53),j=n(79),$=n(37),N=n(50),L=n(39),I=n(78),F=n(101),R=n(6),B=n(17),V=R.f,U=B.f,z=i.RangeError,Y=i.TypeError,H=i.Uint8Array,W=Array.prototype,G=s.ArrayBuffer,q=s.DataView,J=M(0),K=M(2),Z=M(3),X=M(4),Q=M(5),tt=M(6),et=D(!0),nt=D(!1),rt=j.values,it=j.keys,ot=j.entries,at=W.lastIndexOf,ut=W.reduce,st=W.reduceRight,ct=W.join,lt=W.sort,ft=W.slice,pt=W.toString,ht=W.toLocaleString,dt=E("iterator"),vt=E("toStringTag"),mt=T("typed_constructor"),gt=T("def_constructor"),yt=u.CONSTR,_t=u.TYPED,bt=u.VIEW,xt=M(1,function(t,e){return At(P(t,t[gt]),e)}),wt=o(function(){return 1===new H(new Uint16Array([1]).buffer)[0]}),St=!!H&&!!H.prototype.set&&o(function(){new H(1).set({})}),kt=function(t,e){var n=d(t);if(n<0||n%e)throw z("Wrong offset!");return n},Ot=function(t){if(x(t)&&_t in t)return t;throw Y(t+" is not a typed array!")},At=function(t,e){if(!(x(t)&&mt in t))throw Y("It is not a typed array constructor!");return new t(e)},Ct=function(t,e){return Tt(P(t,t[gt]),e)},Tt=function(t,e){for(var n=0,r=e.length,i=At(t,r);r>n;)i[n]=e[n++];return i},Et=function(t,e,n){V(t,e,{get:function(){return this._d[n]}})},Mt=function(t){var e,n,r,i,o,a,u=w(t),s=arguments.length,l=s>1?arguments[1]:void 0,f=void 0!==l,p=C(u);if(void 0!=p&&!S(p)){for(a=p.call(u),r=[],e=0;!(o=a.next()).done;e++)r.push(o.value);u=r}for(f&&s>2&&(l=c(l,arguments[2],2)),e=0,n=v(u.length),i=At(this,n);n>e;e++)i[e]=f?l(u[e],e):u[e];return i},Dt=function(){for(var t=0,e=arguments.length,n=At(this,e);e>t;)n[t]=arguments[t++];return n},Pt=!!H&&o(function(){ht.call(new H(1))}),jt=function(){return ht.apply(Pt?ft.call(Ot(this)):Ot(this),arguments)},$t={copyWithin:function(t,e){return F.call(Ot(this),t,e,arguments.length>2?arguments[2]:void 0)},every:function(t){return X(Ot(this),t,arguments.length>1?arguments[1]:void 0)},fill:function(t){return I.apply(Ot(this),arguments)},filter:function(t){return Ct(this,K(Ot(this),t,arguments.length>1?arguments[1]:void 0))},find:function(t){return Q(Ot(this),t,arguments.length>1?arguments[1]:void 0)},findIndex:function(t){return tt(Ot(this),t,arguments.length>1?arguments[1]:void 0)},forEach:function(t){J(Ot(this),t,arguments.length>1?arguments[1]:void 0)},indexOf:function(t){return nt(Ot(this),t,arguments.length>1?arguments[1]:void 0)},includes:function(t){return et(Ot(this),t,arguments.length>1?arguments[1]:void 0)},join:function(t){return ct.apply(Ot(this),arguments)},lastIndexOf:function(t){return at.apply(Ot(this),arguments)},map:function(t){return xt(Ot(this),t,arguments.length>1?arguments[1]:void 0)},reduce:function(t){return ut.apply(Ot(this),arguments)},reduceRight:function(t){return st.apply(Ot(this),arguments)},reverse:function(){for(var t,e=Ot(this).length,n=Math.floor(e/2),r=0;r1?arguments[1]:void 0)},sort:function(t){return lt.call(Ot(this),t)},subarray:function(t,e){var n=Ot(this),r=n.length,i=g(t,r);return new(P(n,n[gt]))(n.buffer,n.byteOffset+i*n.BYTES_PER_ELEMENT,v((void 0===e?r:g(e,r))-i))}},Nt=function(t,e){return Ct(this,ft.call(Ot(this),t,e))},Lt=function(t){Ot(this);var e=kt(arguments[1],1),n=this.length,r=w(t),i=v(r.length),o=0;if(i+e>n)throw z("Wrong length!");for(;o255?255:255&r),i.v[h](n*e+i.o,r,wt)}(this,n,t)},enumerable:!0})};_?(d=n(function(t,n,r,i){l(t,d,c,"_d");var o,a,u,s,f=0,h=0;if(x(n)){if(!(n instanceof G||"ArrayBuffer"==(s=b(n))||"SharedArrayBuffer"==s))return _t in n?Tt(d,n):Mt.call(d,n);o=n,h=kt(r,e);var g=n.byteLength;if(void 0===i){if(g%e)throw z("Wrong length!");if((a=g-h)<0)throw z("Wrong length!")}else if((a=v(i)*e)+h>g)throw z("Wrong length!");u=a/e}else u=m(n),o=new G(a=u*e);for(p(t,"_d",{b:o,o:h,l:a,e:u,v:new q(o)});fdocument.F=Object<\/script>"),t.close(),s=t.F;r--;)delete s.prototype[o[r]];return s()};t.exports=Object.create||function(t,e){var n;return null!==t?(u.prototype=r(t),n=new u,u.prototype=null,n[a]=t):n=s(),void 0===e?n:i(n,e)}},function(t,e,n){var r=n(86),i=n(62).concat("length","prototype");e.f=Object.getOwnPropertyNames||function(t){return r(t,i)}},function(t,e,n){var r=n(12),i=n(15),o=n(61)("IE_PROTO"),a=Object.prototype;t.exports=Object.getPrototypeOf||function(t){return t=i(t),r(t,o)?t[o]:"function"==typeof t.constructor&&t instanceof t.constructor?t.constructor.prototype:t instanceof Object?a:null}},function(t,e,n){var r=n(6).f,i=n(12),o=n(5)("toStringTag");t.exports=function(t,e,n){t&&!i(t=n?t:t.prototype,o)&&r(t,o,{configurable:!0,value:e})}},function(t,e){t.exports={}},function(t,e,n){var r=n(5)("unscopables"),i=Array.prototype;void 0==i[r]&&n(13)(i,r,{}),t.exports=function(t){i[r][t]=!0}},function(t,e,n){"use strict";var r=n(2),i=n(6),o=n(7),a=n(5)("species");t.exports=function(t){var e=r[t];o&&e&&!e[a]&&i.f(e,a,{configurable:!0,get:function(){return this}})}},function(t,e){t.exports=function(t,e,n,r){if(!(t instanceof e)||void 0!==r&&r in t)throw TypeError(n+": incorrect invocation!");return t}},function(t,e,n){var r=n(10);t.exports=function(t,e,n){for(var i in e)r(t,i,e[i],n);return t}},function(t,e,n){var r=n(3);t.exports=function(t,e){if(!r(t)||t._t!==e)throw TypeError("Incompatible receiver, "+e+" required!");return t}},function(t,e,n){var r=n(22);t.exports=Object("z").propertyIsEnumerable(0)?Object:function(t){return"String"==r(t)?t.split(""):Object(t)}},function(t,e){e.f={}.propertyIsEnumerable},function(t,e){function n(t){return"function"==typeof t.value||(console.warn("[Vue-click-outside:] provided expression",t.expression,"is not a function."),!1)}function r(t){return void 0!==t.componentInstance&&t.componentInstance.$isServer}t.exports={bind:function(t,e,i){function o(e){if(i.context){var n=e.path||e.composedPath&&e.composedPath();n&&n.length>0&&n.unshift(e.target),t.contains(e.target)||function(t,e){if(!t||!e)return!1;for(var n=0,r=e.length;nl;)if((u=s[l++])!=u)return!0}else for(;c>l;l++)if((t||l in s)&&s[l]===n)return t||l||0;return!t&&-1}}},function(t,e){e.f=Object.getOwnPropertySymbols},function(t,e,n){var r=n(22),i=n(5)("toStringTag"),o="Arguments"==r(function(){return arguments}());t.exports=function(t){var e,n,a;return void 0===t?"Undefined":null===t?"Null":"string"==typeof(n=function(t,e){try{return t[e]}catch(t){}}(e=Object(t),i))?n:o?r(e):"Object"==(a=r(e))&&"function"==typeof e.callee?"Arguments":a}},function(t,e,n){var r=n(0),i=n(23),o=n(1),a=n(66),u="["+a+"]",s=RegExp("^"+u+u+"*"),c=RegExp(u+u+"*$"),l=function(t,e,n){var i={},u=o(function(){return!!a[t]()||"​…"!="​…"[t]()}),s=i[t]=u?e(f):a[t];n&&(i[n]=s),r(r.P+r.F*u,"String",i)},f=l.trim=function(t,e){return t=String(i(t)),1&e&&(t=t.replace(s,"")),2&e&&(t=t.replace(c,"")),t};t.exports=l},function(t,e,n){var r=n(5)("iterator"),i=!1;try{var o=[7][r]();o.return=function(){i=!0},Array.from(o,function(){throw 2})}catch(t){}t.exports=function(t,e){if(!e&&!i)return!1;var n=!1;try{var o=[7],a=o[r]();a.next=function(){return{done:n=!0}},o[r]=function(){return a},t(o)}catch(t){}return n}},function(t,e,n){"use strict";var r=n(13),i=n(10),o=n(1),a=n(23),u=n(5);t.exports=function(t,e,n){var s=u(t),c=n(a,s,""[t]),l=c[0],f=c[1];o(function(){var e={};return e[s]=function(){return 7},7!=""[t](e)})&&(i(String.prototype,t,l),r(RegExp.prototype,s,2==e?function(t,e){return f.call(t,this,e)}:function(t){return f.call(t,this)}))}},function(t,e,n){var r=n(20),i=n(99),o=n(75),a=n(4),u=n(9),s=n(77),c={},l={};(e=t.exports=function(t,e,n,f,p){var h,d,v,m,g=p?function(){return t}:s(t),y=r(n,f,e?2:1),_=0;if("function"!=typeof g)throw TypeError(t+" is not iterable!");if(o(g)){for(h=u(t.length);h>_;_++)if((m=e?y(a(d=t[_])[0],d[1]):y(t[_]))===c||m===l)return m}else for(v=g.call(t);!(d=v.next()).done;)if((m=i(v,y,d.value,e))===c||m===l)return m}).BREAK=c,e.RETURN=l},function(t,e,n){var r=n(4),i=n(21),o=n(5)("species");t.exports=function(t,e){var n,a=r(t).constructor;return void 0===a||void 0==(n=r(a)[o])?e:i(n)}},function(t,e,n){var r=n(2).navigator;t.exports=r&&r.userAgent||""},function(t,e,n){"use strict";var r=n(2),i=n(0),o=n(10),a=n(41),u=n(27),s=n(52),c=n(40),l=n(3),f=n(1),p=n(50),h=n(36),d=n(67);t.exports=function(t,e,n,v,m,g){var y=r[t],_=y,b=m?"set":"add",x=_&&_.prototype,w={},S=function(t){var e=x[t];o(x,t,"delete"==t?function(t){return!(g&&!l(t))&&e.call(this,0===t?0:t)}:"has"==t?function(t){return!(g&&!l(t))&&e.call(this,0===t?0:t)}:"get"==t?function(t){return g&&!l(t)?void 0:e.call(this,0===t?0:t)}:"add"==t?function(t){return e.call(this,0===t?0:t),this}:function(t,n){return e.call(this,0===t?0:t,n),this})};if("function"==typeof _&&(g||x.forEach&&!f(function(){(new _).entries().next()}))){var k=new _,O=k[b](g?{}:-0,1)!=k,A=f(function(){k.has(1)}),C=p(function(t){new _(t)}),T=!g&&f(function(){for(var t=new _,e=5;e--;)t[b](e,e);return!t.has(-0)});C||((_=e(function(e,n){c(e,_,t);var r=d(new y,e,_);return void 0!=n&&s(n,m,r[b],r),r})).prototype=x,x.constructor=_),(A||T)&&(S("delete"),S("has"),m&&S("get")),(T||O)&&S(b),g&&x.clear&&delete x.clear}else _=v.getConstructor(e,t,m,b),a(_.prototype,n),u.NEED=!0;return h(_,t),w[t]=_,i(i.G+i.W+i.F*(_!=y),w),g||v.setStrong(_,t,m),_}},function(t,e,n){for(var r,i=n(2),o=n(13),a=n(29),u=a("typed_array"),s=a("view"),c=!(!i.ArrayBuffer||!i.DataView),l=c,f=0,p="Int8Array,Uint8Array,Uint8ClampedArray,Int16Array,Uint16Array,Int32Array,Uint32Array,Float32Array,Float64Array".split(",");f<9;)(r=i[p[f++]])?(o(r.prototype,u,!0),o(r.prototype,s,!0)):l=!1;t.exports={ABV:c,CONSTR:l,TYPED:u,VIEW:s}},function(t,e,n){window,t.exports=function(t){var e={};function n(r){if(e[r])return e[r].exports;var i=e[r]={i:r,l:!1,exports:{}};return t[r].call(i.exports,i,i.exports,n),i.l=!0,i.exports}return n.m=t,n.c=e,n.d=function(t,e,r){n.o(t,e)||Object.defineProperty(t,e,{configurable:!1,enumerable:!0,get:r})},n.r=function(t){Object.defineProperty(t,"__esModule",{value:!0})},n.n=function(t){var e=t&&t.__esModule?function(){return t.default}:function(){return t};return n.d(e,"a",e),e},n.o=function(t,e){return Object.prototype.hasOwnProperty.call(t,e)},n.p="",n(n.s=3)}([function(t,e,n){var r;!function(i){"use strict";var o={},a=/d{1,4}|M{1,4}|YY(?:YY)?|S{1,3}|Do|ZZ|([HhMsDm])\1?|[aA]|"[^"]*"|'[^']*'/g,u=/\d\d?/,s=/[0-9]*['a-z\u00A0-\u05FF\u0700-\uD7FF\uF900-\uFDCF\uFDF0-\uFFEF]+|[\u0600-\u06FF\/]+(\s*?[\u0600-\u06FF]+){1,2}/i,c=/\[([^]*?)\]/gm,l=function(){};function f(t,e){for(var n=[],r=0,i=t.length;r3?0:(t-t%10!=10)*t%10]}};var y={D:function(t){return t.getDate()},DD:function(t){return h(t.getDate())},Do:function(t,e){return e.DoFn(t.getDate())},d:function(t){return t.getDay()},dd:function(t){return h(t.getDay())},ddd:function(t,e){return e.dayNamesShort[t.getDay()]},dddd:function(t,e){return e.dayNames[t.getDay()]},M:function(t){return t.getMonth()+1},MM:function(t){return h(t.getMonth()+1)},MMM:function(t,e){return e.monthNamesShort[t.getMonth()]},MMMM:function(t,e){return e.monthNames[t.getMonth()]},YY:function(t){return String(t.getFullYear()).substr(2)},YYYY:function(t){return h(t.getFullYear(),4)},h:function(t){return t.getHours()%12||12},hh:function(t){return h(t.getHours()%12||12)},H:function(t){return t.getHours()},HH:function(t){return h(t.getHours())},m:function(t){return t.getMinutes()},mm:function(t){return h(t.getMinutes())},s:function(t){return t.getSeconds()},ss:function(t){return h(t.getSeconds())},S:function(t){return Math.round(t.getMilliseconds()/100)},SS:function(t){return h(Math.round(t.getMilliseconds()/10),2)},SSS:function(t){return h(t.getMilliseconds(),3)},a:function(t,e){return t.getHours()<12?e.amPm[0]:e.amPm[1]},A:function(t,e){return t.getHours()<12?e.amPm[0].toUpperCase():e.amPm[1].toUpperCase()},ZZ:function(t){var e=t.getTimezoneOffset();return(e>0?"-":"+")+h(100*Math.floor(Math.abs(e)/60)+Math.abs(e)%60,4)}},_={D:[u,function(t,e){t.day=e}],Do:[new RegExp(u.source+s.source),function(t,e){t.day=parseInt(e,10)}],M:[u,function(t,e){t.month=e-1}],YY:[u,function(t,e){var n=+(""+(new Date).getFullYear()).substr(0,2);t.year=""+(e>68?n-1:n)+e}],h:[u,function(t,e){t.hour=e}],m:[u,function(t,e){t.minute=e}],s:[u,function(t,e){t.second=e}],YYYY:[/\d{4}/,function(t,e){t.year=e}],S:[/\d/,function(t,e){t.millisecond=100*e}],SS:[/\d{2}/,function(t,e){t.millisecond=10*e}],SSS:[/\d{3}/,function(t,e){t.millisecond=e}],d:[u,l],ddd:[s,l],MMM:[s,p("monthNamesShort")],MMMM:[s,p("monthNames")],a:[s,function(t,e,n){var r=e.toLowerCase();r===n.amPm[0]?t.isPm=!1:r===n.amPm[1]&&(t.isPm=!0)}],ZZ:[/([\+\-]\d\d:?\d\d|Z)/,function(t,e){"Z"===e&&(e="+00:00");var n,r=(e+"").match(/([\+\-]|\d\d)/gi);r&&(n=60*r[1]+parseInt(r[2],10),t.timezoneOffset="+"===r[0]?n:-n)}]};_.dd=_.d,_.dddd=_.ddd,_.DD=_.D,_.mm=_.m,_.hh=_.H=_.HH=_.h,_.MM=_.M,_.ss=_.s,_.A=_.a,o.masks={default:"ddd MMM DD YYYY HH:mm:ss",shortDate:"M/D/YY",mediumDate:"MMM D, YYYY",longDate:"MMMM D, YYYY",fullDate:"dddd, MMMM D, YYYY",shortTime:"HH:mm",mediumTime:"HH:mm:ss",longTime:"HH:mm:ss.SSS"},o.format=function(t,e,n){var r=n||o.i18n;if("number"==typeof t&&(t=new Date(t)),"[object Date]"!==Object.prototype.toString.call(t)||isNaN(t.getTime()))throw new Error("Invalid Date in fecha.format");var i=[];return(e=(e=(e=o.masks[e]||e||o.masks.default).replace(c,function(t,e){return i.push(e),"??"})).replace(a,function(e){return e in y?y[e](t,r):e.slice(1,e.length-1)})).replace(/\?\?/g,function(){return i.shift()})},o.parse=function(t,e,n){var r=n||o.i18n;if("string"!=typeof e)throw new Error("Invalid format in fecha.parse");if(e=o.masks[e]||e,t.length>1e3)return!1;var i=!0,u={};if(e.replace(a,function(e){if(_[e]){var n=_[e],o=t.search(n[0]);~o?t.replace(n[0],function(e){return n[1](u,e,r),t=t.substr(o+e.length),e}):i=!1}return _[e]?"":e.slice(1,e.length-1)}),!i)return!1;var s,c=new Date;return!0===u.isPm&&null!=u.hour&&12!=+u.hour?u.hour=+u.hour+12:!1===u.isPm&&12==+u.hour&&(u.hour=0),null!=u.timezoneOffset?(u.minute=+(u.minute||0)-+u.timezoneOffset,s=new Date(Date.UTC(u.year||c.getFullYear(),u.month||0,u.day||1,u.hour||0,u.minute||0,u.second||0,u.millisecond||0))):s=new Date(u.year||c.getFullYear(),u.month||0,u.day||1,u.hour||0,u.minute||0,u.second||0,u.millisecond||0),s},void 0!==t&&t.exports?t.exports=o:void 0===(r=function(){return o}.call(e,n,e,t))||(t.exports=r)}()},function(t,e){var n=/^(attrs|props|on|nativeOn|class|style|hook)$/;function r(t,e){return function(){t&&t.apply(this,arguments),e&&e.apply(this,arguments)}}t.exports=function(t){return t.reduce(function(t,e){var i,o,a,u,s;for(a in e)if(i=t[a],o=e[a],i&&n.test(a))if("class"===a&&("string"==typeof i&&(s=i,t[a]=i={},i[s]=!0),"string"==typeof o&&(s=o,e[a]=o={},o[s]=!0)),"on"===a||"nativeOn"===a||"hook"===a)for(u in o)i[u]=r(i[u],o[u]);else if(Array.isArray(i))t[a]=i.concat(o);else if(Array.isArray(o))t[a]=[i].concat(o);else for(u in o)i[u]=o[u];else t[a]=e[a];return t},{})}},function(t,e,n){"use strict";function r(t,e){for(var n=[],r={},i=0;in.parts.length&&(r.parts.length=n.parts.length)}else{var a=[];for(i=0;i=new Date(t[0]).getTime()}function c(t){var e=(t||"").split(":");return e.length>=2?{hours:parseInt(e[0],10),minutes:parseInt(e[1],10)}:null}function l(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"24",n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:"a",r=t.hours,i=(r=(r="24"===e?r:r%12||12)<10?"0"+r:r)+":"+(t.minutes<10?"0"+t.minutes:t.minutes);if("12"===e){var o=t.hours>=12?"pm":"am";"A"===n&&(o=o.toUpperCase()),i=i+" "+o}return i}function f(t,e){try{return i.a.format(new Date(t),e)}catch(t){return""}}var p={zh:{days:["日","一","二","三","四","五","六"],months:["1月","2月","3月","4月","5月","6月","7月","8月","9月","10月","11月","12月"],pickers:["未来7天","未来30天","最近7天","最近30天"],placeholder:{date:"请选择日期",dateRange:"请选择日期范围"}},en:{days:["Sun","Mon","Tue","Wed","Thu","Fri","Sat"],months:["Jan","Feb","Mar","Apr","May","Jun","Jul","Aug","Sep","Oct","Nov","Dec"],pickers:["next 7 days","next 30 days","previous 7 days","previous 30 days"],placeholder:{date:"Select Date",dateRange:"Select Date Range"}},ro:{days:["Lun","Mar","Mie","Joi","Vin","Sâm","Dum"],months:["Ian","Feb","Mar","Apr","Mai","Iun","Iul","Aug","Sep","Oct","Noi","Dec"],pickers:["urmatoarele 7 zile","urmatoarele 30 zile","ultimele 7 zile","ultimele 30 zile"],placeholder:{date:"Selectați Data",dateRange:"Selectați Intervalul De Date"}},fr:{days:["Dim","Lun","Mar","Mer","Jeu","Ven","Sam"],months:["Jan","Fev","Mar","Avr","Mai","Juin","Juil","Aout","Sep","Oct","Nov","Dec"],pickers:["7 jours suivants","30 jours suivants","7 jours précédents","30 jours précédents"],placeholder:{date:"Sélectionnez une date",dateRange:"Sélectionnez une période"}},es:{days:["Dom","Lun","mar","Mie","Jue","Vie","Sab"],months:["Ene","Feb","Mar","Abr","May","Jun","Jul","Ago","Sep","Oct","Nov","Dic"],pickers:["próximos 7 días","próximos 30 días","7 días anteriores","30 días anteriores"],placeholder:{date:"Seleccionar fecha",dateRange:"Seleccionar un rango de fechas"}},"pt-br":{days:["Dom","Seg","Ter","Qua","Quin","Sex","Sáb"],months:["Jan","Fev","Mar","Abr","Maio","Jun","Jul","Ago","Set","Out","Nov","Dez"],pickers:["próximos 7 dias","próximos 30 dias","7 dias anteriores"," 30 dias anteriores"],placeholder:{date:"Selecione uma data",dateRange:"Selecione um período"}},ru:{days:["Вс","Пн","Вт","Ср","Чт","Пт","Сб"],months:["Янв","Фев","Мар","Апр","Май","Июн","Июл","Авг","Сен","Окт","Ноя","Дек"],pickers:["след. 7 дней","след. 30 дней","прош. 7 дней","прош. 30 дней"],placeholder:{date:"Выберите дату",dateRange:"Выберите период"}},de:{days:["So","Mo","Di","Mi","Do","Fr","Sa"],months:["Januar","Februar","März","April","Mai","Juni","Juli","August","September","Oktober","November","Dezember"],pickers:["nächsten 7 Tage","nächsten 30 Tage","vorigen 7 Tage","vorigen 30 Tage"],placeholder:{date:"Datum auswählen",dateRange:"Zeitraum auswählen"}},it:{days:["Dom","Lun","Mar","Mer","Gio","Ven","Sab"],months:["Gen","Feb","Mar","Apr","Mag","Giu","Lug","Ago","Set","Ott","Nov","Dic"],pickers:["successivi 7 giorni","successivi 30 giorni","precedenti 7 giorni","precedenti 30 giorni"],placeholder:{date:"Seleziona una data",dateRange:"Seleziona un intervallo date"}},cs:{days:["Ned","Pon","Úte","Stř","Čtv","Pát","Sob"],months:["Led","Úno","Bře","Dub","Kvě","Čer","Čerc","Srp","Zář","Říj","Lis","Pro"],pickers:["příštích 7 dní","příštích 30 dní","předchozích 7 dní","předchozích 30 dní"],placeholder:{date:"Vyberte datum",dateRange:"Vyberte časové rozmezí"}},sl:{days:["Ned","Pon","Tor","Sre","Čet","Pet","Sob"],months:["Jan","Feb","Mar","Apr","Maj","Jun","Jul","Avg","Sep","Okt","Nov","Dec"],pickers:["naslednjih 7 dni","naslednjih 30 dni","prejšnjih 7 dni","prejšnjih 30 dni"],placeholder:{date:"Izberite datum",dateRange:"Izberite razpon med 2 datumoma"}}},h=p.zh,d={methods:{t:function(t){for(var e=this,n=e.$options.name;e&&(!n||"DatePicker"!==n);)(e=e.$parent)&&(n=e.$options.name);for(var r=e&&e.language||h,i=t.split("."),o=r,a=void 0,u=0,s=i.length;uu&&(t.scrollTop=o-t.clientHeight)}else t.scrollTop=0}var m=n(1),g=n.n(m);function y(t){if(Array.isArray(t)){for(var e=0,n=Array(t.length);e=1&&t<=7}},disabledDate:{type:Function,default:function(){return!1}}},methods:{selectDate:function(t){var e=t.year,n=t.month,r=t.day,i=new Date(e,n,r);this.disabledDate(i)||this.$emit("select",i)},getDays:function(t){var e=this.t("days"),n=parseInt(t,10);return e.concat(e).slice(n,n+7)},getDates:function(t,e,n){var r=[],i=new Date(t,e);i.setDate(0);for(var o=(i.getDay()+7-n)%7+1,a=i.getDate()-(o-1),u=0;uthis.calendarMonth?i.push("next-month"):i.push("cur-month"),o===a&&i.push("today"),this.disabledDate(o)&&i.push("disabled"),u&&(o===u?i.push("actived"):s&&o<=u?i.push("inrange"):c&&o>=u&&i.push("inrange")),i},getCellTitle:function(t){var e=t.year,n=t.month,r=t.day;return f(new Date(e,n,r),this.dateFormat)}},render:function(t){var e=this,n=this.getDays(this.firstDayOfWeek).map(function(e){return t("th",[e])}),r=this.getDates(this.calendarYear,this.calendarMonth,this.firstDayOfWeek),i=Array.apply(null,{length:6}).map(function(n,i){var o=r.slice(7*i,7*i+7).map(function(n){var r={class:e.getCellClasses(n)};return t("td",g()([{class:"cell"},r,{attrs:{title:e.getCellTitle(n)},on:{click:e.selectDate.bind(e,n)}}]),[n.day])});return t("tr",[o])});return t("table",{class:"mx-panel mx-panel-date"},[t("thead",[t("tr",[n])]),t("tbody",[i])])}},PanelYear:{name:"panelYear",props:{value:null,firstYear:Number,disabledYear:Function},methods:{isDisabled:function(t){return!("function"!=typeof this.disabledYear||!this.disabledYear(t))},selectYear:function(t){this.isDisabled(t)||this.$emit("select",t)}},render:function(t){var e=this,n=10*Math.floor(this.firstYear/10),r=this.value&&new Date(this.value).getFullYear(),i=Array.apply(null,{length:10}).map(function(i,o){var a=n+o;return t("span",{class:{cell:!0,actived:r===a,disabled:e.isDisabled(a)},on:{click:e.selectYear.bind(e,a)}},[a])});return t("div",{class:"mx-panel mx-panel-year"},[i])}},PanelMonth:{name:"panelMonth",mixins:[d],props:{value:null,calendarYear:{default:(new Date).getFullYear()},disabledMonth:Function},methods:{isDisabled:function(t){return!("function"!=typeof this.disabledMonth||!this.disabledMonth(t))},selectMonth:function(t){this.isDisabled(t)||this.$emit("select",t)}},render:function(t){var e=this,n=this.t("months"),r=this.value&&new Date(this.value).getFullYear(),i=this.value&&new Date(this.value).getMonth();return n=n.map(function(n,o){return t("span",{class:{cell:!0,actived:r===e.calendarYear&&i===o,disabled:e.isDisabled(o)},on:{click:e.selectMonth.bind(e,o)}},[n])}),t("div",{class:"mx-panel mx-panel-month"},[n])}},PanelTime:{name:"panelTime",props:{timePickerOptions:{type:[Object,Function],default:function(){return null}},minuteStep:{type:Number,default:0,validator:function(t){return t>=0&&t<=60}},value:null,timeType:{type:Array,default:function(){return["24","a"]}},disabledTime:Function},computed:{currentHours:function(){return this.value?new Date(this.value).getHours():0},currentMinutes:function(){return this.value?new Date(this.value).getMinutes():0},currentSeconds:function(){return this.value?new Date(this.value).getSeconds():0}},methods:{stringifyText:function(t){return("00"+t).slice(String(t).length)},selectTime:function(t){"function"==typeof this.disabledTime&&this.disabledTime(t)||this.$emit("select",new Date(t))},pickTime:function(t){"function"==typeof this.disabledTime&&this.disabledTime(t)||this.$emit("pick",new Date(t))},getTimeSelectOptions:function(){var t=[],e=this.timePickerOptions;if(!e)return[];if("function"==typeof e)return e()||[];var n=c(e.start),r=c(e.end),i=c(e.step);if(n&&r&&i)for(var o=n.minutes+60*n.hours,a=r.minutes+60*r.hours,u=i.minutes+60*i.hours,s=Math.floor((a-o)/u),f=0;f<=s;f++){var p=o+f*u,h={hours:Math.floor(p/60),minutes:p%60};t.push({value:h,label:l.apply(void 0,[h].concat(y(this.timeType)))})}return t}},render:function(t){var e=this,n=new Date(this.value),r="function"==typeof this.disabledTime&&this.disabledTime,i=this.getTimeSelectOptions();if(Array.isArray(i)&&i.length)return i=i.map(function(i){var o=i.value.hours,a=i.value.minutes,u=new Date(n).setHours(o,a,0);return t("li",{class:{"mx-time-picker-item":!0,cell:!0,actived:o===e.currentHours&&a===e.currentMinutes,disabled:r&&r(u)},on:{click:e.pickTime.bind(e,u)}},[i.label])}),t("div",{class:"mx-panel mx-panel-time"},[t("ul",{class:"mx-time-list"},[i])]);var o=Array.apply(null,{length:24}).map(function(i,o){var a=new Date(n).setHours(o);return t("li",{class:{cell:!0,actived:o===e.currentHours,disabled:r&&r(a)},on:{click:e.selectTime.bind(e,a)}},[e.stringifyText(o)])}),a=this.minuteStep||1,u=parseInt(60/a),s=Array.apply(null,{length:u}).map(function(i,o){var u=o*a,s=new Date(n).setMinutes(u);return t("li",{class:{cell:!0,actived:u===e.currentMinutes,disabled:r&&r(s)},on:{click:e.selectTime.bind(e,s)}},[e.stringifyText(u)])}),c=Array.apply(null,{length:60}).map(function(i,o){var a=new Date(n).setSeconds(o);return t("li",{class:{cell:!0,actived:o===e.currentSeconds,disabled:r&&r(a)},on:{click:e.selectTime.bind(e,a)}},[e.stringifyText(o)])}),l=[o,s];return 0===this.minuteStep&&l.push(c),l=l.map(function(e){return t("ul",{class:"mx-time-list",style:{width:100/l.length+"%"}},[e])}),t("div",{class:"mx-panel mx-panel-time"},[l])}}},mixins:[d],props:{value:{default:null,validator:function(t){return null===t||u(t)}},startAt:null,endAt:null,visible:{type:Boolean,default:!1},type:{type:String,default:"date"},dateFormat:{type:String,default:"YYYY-MM-DD"},firstDayOfWeek:{default:7,type:Number,validator:function(t){return t>=1&&t<=7}},notBefore:{default:null,validator:function(t){return!t||u(t)}},notAfter:{default:null,validator:function(t){return!t||u(t)}},disabledDays:{type:[Array,Function],default:function(){return[]}},minuteStep:{type:Number,default:0,validator:function(t){return t>=0&&t<=60}},timePickerOptions:{type:[Object,Function],default:function(){return null}}},data:function(){var t=new Date,e=t.getFullYear();return{panel:"NONE",dates:[],calendarMonth:t.getMonth(),calendarYear:e,firstYear:10*Math.floor(e/10)}},computed:{now:{get:function(){return new Date(this.calendarYear,this.calendarMonth).getTime()},set:function(t){var e=new Date(t);this.calendarYear=e.getFullYear(),this.calendarMonth=e.getMonth()}},timeType:function(){return[/h+/.test(this.$parent.format)?"12":"24",/A/.test(this.$parent.format)?"A":"a"]},timeHeader:function(){return"time"===this.type?this.$parent.format:this.value&&f(this.value,this.dateFormat)},yearHeader:function(){return this.firstYear+" ~ "+(this.firstYear+10)},months:function(){return this.t("months")},notBeforeTime:function(){return this.getCriticalTime(this.notBefore)},notAfterTime:function(){return this.getCriticalTime(this.notAfter)}},watch:{value:{immediate:!0,handler:"updateNow"},visible:{immediate:!0,handler:"init"},panel:{handler:"handelPanelChange"}},methods:{handelPanelChange:function(t,e){var n=this;this.$parent.$emit("panel-change",t,e),"YEAR"===t?this.firstYear=10*Math.floor(this.calendarYear/10):"TIME"===t&&this.$nextTick(function(){for(var t=n.$el.querySelectorAll(".mx-panel-time .mx-time-list"),e=0,r=t.length;ethis.notAfterTime||e&&t>this.getCriticalTime(e)},inDisabledDays:function(t){var e=this;return Array.isArray(this.disabledDays)?this.disabledDays.some(function(n){return e.getCriticalTime(n)===t}):"function"==typeof this.disabledDays&&this.disabledDays(new Date(t))},isDisabledYear:function(t){var e=new Date(t,0).getTime(),n=new Date(t+1,0).getTime()-1;return this.inBefore(n)||this.inAfter(e)||"year"===this.type&&this.inDisabledDays(e)},isDisabledMonth:function(t){var e=new Date(this.calendarYear,t).getTime(),n=new Date(this.calendarYear,t+1).getTime()-1;return this.inBefore(n)||this.inAfter(e)||"month"===this.type&&this.inDisabledDays(e)},isDisabledDate:function(t){var e=new Date(t).getTime(),n=new Date(t).setHours(23,59,59,999);return this.inBefore(n)||this.inAfter(e)||this.inDisabledDays(e)},isDisabledTime:function(t,e,n){var r=new Date(t).getTime();return this.inBefore(r,e)||this.inAfter(r,n)||this.inDisabledDays(r)},selectDate:function(t){if("datetime"===this.type){var e=new Date(t);return a(this.value)&&e.setHours(this.value.getHours(),this.value.getMinutes(),this.value.getSeconds()),this.isDisabledTime(e)&&(e.setHours(0,0,0,0),this.notBefore&&e.getTime()=200?o():n=setTimeout(o,200)}}),window.addEventListener("resize",this._displayPopup),window.addEventListener("scroll",this._displayPopup)},beforeDestroy:function(){this.popupElm&&this.popupElm.parentNode===document.body&&document.body.removeChild(this.popupElm),window.removeEventListener("resize",this._displayPopup),window.removeEventListener("scroll",this._displayPopup)},methods:{initCalendar:function(){this.handleValueChange(this.value),this.displayPopup()},stringify:function(t,e){return f(t,e||this.format)},parseDate:function(t,e){return function(t,e){try{return i.a.parse(t,e)}catch(t){return!1}}(t,e||this.format)},dateEqual:function(t,e){return a(t)&&a(e)&&t.getTime()===e.getTime()},rangeEqual:function(t,e){var n=this;return Array.isArray(t)&&Array.isArray(e)&&t.length===e.length&&t.every(function(t,r){return n.dateEqual(t,e[r])})},selectRange:function(t){if("function"==typeof t.onClick)return t.onClick(this);this.currentValue=[new Date(t.start),new Date(t.end)],this.updateDate(!0)},clearDate:function(){var t=this.range?[null,null]:null;this.currentValue=t,this.updateDate(!0),this.$emit("clear")},confirmDate:function(){(this.range?s(this.currentValue):u(this.currentValue))&&this.updateDate(!0),this.$emit("confirm",this.currentValue),this.closePopup()},updateDate:function(){var t=arguments.length>0&&void 0!==arguments[0]&&arguments[0];return!(this.confirm&&!t||this.disabled||(this.range?this.rangeEqual(this.value,this.currentValue):this.dateEqual(this.value,this.currentValue))||(this.$emit("input",this.currentValue),this.$emit("change",this.currentValue),0))},handleValueChange:function(t){this.range?this.currentValue=s(t)?[new Date(t[0]),new Date(t[1])]:[null,null]:this.currentValue=u(t)?new Date(t):null},selectDate:function(t){this.currentValue=t,this.updateDate()&&this.closePopup()},selectStartDate:function(t){this.$set(this.currentValue,0,t),this.currentValue[1]&&this.updateDate()},selectEndDate:function(t){this.$set(this.currentValue,1,t),this.currentValue[0]&&this.updateDate()},selectTime:function(t,e){this.currentValue=t,this.updateDate()&&e&&this.closePopup()},selectStartTime:function(t){this.selectStartDate(t)},selectEndTime:function(t){this.selectEndDate(t)},showPopup:function(){this.disabled||(this.popupVisible=!0)},closePopup:function(){this.popupVisible=!1},getPopupSize:function(t){var e=t.style.display,n=t.style.visibility;t.style.display="block",t.style.visibility="hidden";var r=window.getComputedStyle(t),i={width:t.offsetWidth+parseInt(r.marginLeft)+parseInt(r.marginRight),height:t.offsetHeight+parseInt(r.marginTop)+parseInt(r.marginBottom)};return t.style.display=e,t.style.visibility=n,i},displayPopup:function(){var t=document.documentElement.clientWidth,e=document.documentElement.clientHeight,n=this.$el.getBoundingClientRect(),r=this._popupRect||(this._popupRect=this.getPopupSize(this.$refs.calendar)),i={},o=0,a=0;this.appendToBody&&(o=window.pageXOffset+n.left,a=window.pageYOffset+n.top),t-n.left a {\n color: inherit;\n text-decoration: none;\n cursor: pointer; }\n .mx-calendar-header > a:hover {\n color: #419dec; }\n .mx-icon-last-month, .mx-icon-last-year,\n .mx-icon-next-month,\n .mx-icon-next-year {\n padding: 0 6px;\n font-size: 20px;\n line-height: 30px; }\n .mx-icon-last-month, .mx-icon-last-year {\n float: left; }\n \n .mx-icon-next-month,\n .mx-icon-next-year {\n float: right; }\n\n.mx-calendar-content {\n width: 224px;\n height: 224px; }\n .mx-calendar-content .cell {\n vertical-align: middle;\n cursor: pointer; }\n .mx-calendar-content .cell:hover {\n background-color: #eaf8fe; }\n .mx-calendar-content .cell.actived {\n color: #fff;\n background-color: #1284e7; }\n .mx-calendar-content .cell.inrange {\n background-color: #eaf8fe; }\n .mx-calendar-content .cell.disabled {\n cursor: not-allowed;\n color: #ccc;\n background-color: #f3f3f3; }\n\n.mx-panel {\n width: 100%;\n height: 100%;\n text-align: center; }\n\n.mx-panel-date {\n table-layout: fixed;\n border-collapse: collapse;\n border-spacing: 0; }\n .mx-panel-date td, .mx-panel-date th {\n font-size: 12px;\n width: 32px;\n height: 32px;\n padding: 0;\n overflow: hidden;\n text-align: center; }\n .mx-panel-date td.today {\n color: #2a90e9; }\n .mx-panel-date td.last-month, .mx-panel-date td.next-month {\n color: #ddd; }\n\n.mx-panel-year {\n padding: 7px 0; }\n .mx-panel-year .cell {\n display: inline-block;\n width: 40%;\n margin: 1px 5%;\n line-height: 40px; }\n\n.mx-panel-month .cell {\n display: inline-block;\n width: 30%;\n line-height: 40px;\n margin: 8px 1.5%; }\n\n.mx-time-list {\n position: relative;\n float: left;\n margin: 0;\n padding: 0;\n list-style: none;\n width: 100%;\n height: 100%;\n border-top: 1px solid rgba(0, 0, 0, 0.05);\n border-left: 1px solid rgba(0, 0, 0, 0.05);\n overflow-y: auto;\n /* 滚动条滑块 */ }\n .mx-time-list .mx-time-picker-item {\n display: block;\n text-align: left;\n padding-left: 10px; }\n .mx-time-list:first-child {\n border-left: 0; }\n .mx-time-list .cell {\n width: 100%;\n font-size: 12px;\n height: 30px;\n line-height: 30px; }\n .mx-time-list::-webkit-scrollbar {\n width: 8px;\n height: 8px; }\n .mx-time-list::-webkit-scrollbar-thumb {\n background-color: rgba(0, 0, 0, 0.05);\n border-radius: 10px;\n -webkit-box-shadow: inset 1px 1px 0 rgba(0, 0, 0, 0.1);\n box-shadow: inset 1px 1px 0 rgba(0, 0, 0, 0.1); }\n .mx-time-list:hover::-webkit-scrollbar-thumb {\n background-color: rgba(0, 0, 0, 0.2); }\n",""])},function(t,e,n){var r=n(5);"string"==typeof r&&(r=[[t.i,r,""]]),r.locals&&(t.exports=r.locals),(0,n(2).default)("511dbeb0",r,!0,{})}])},function(t,e,n){var r=n(3),i=n(2).document,o=r(i)&&r(i.createElement);t.exports=function(t){return o?i.createElement(t):{}}},function(t,e,n){var r=n(8),i=n(2),o=i["__core-js_shared__"]||(i["__core-js_shared__"]={});(t.exports=function(t,e){return o[t]||(o[t]=void 0!==e?e:{})})("versions",[]).push({version:r.version,mode:n(30)?"pure":"global",copyright:"© 2018 Denis Pushkarev (zloirock.ru)"})},function(t,e,n){e.f=n(5)},function(t,e,n){var r=n(59)("keys"),i=n(29);t.exports=function(t){return r[t]||(r[t]=i(t))}},function(t,e){t.exports="constructor,hasOwnProperty,isPrototypeOf,propertyIsEnumerable,toLocaleString,toString,valueOf".split(",")},function(t,e,n){var r=n(22);t.exports=Array.isArray||function(t){return"Array"==r(t)}},function(t,e,n){var r=n(2).document;t.exports=r&&r.documentElement},function(t,e,n){var r=n(3),i=n(4),o=function(t,e){if(i(t),!r(e)&&null!==e)throw TypeError(e+": can't set as prototype!")};t.exports={set:Object.setPrototypeOf||("__proto__"in{}?function(t,e,r){try{(r=n(20)(Function.call,n(17).f(Object.prototype,"__proto__").set,2))(t,[]),e=!(t instanceof Array)}catch(t){e=!0}return function(t,n){return o(t,n),e?t.__proto__=n:r(t,n),t}}({},!1):void 0),check:o}},function(t,e){t.exports="\t\n\v\f\r   ᠎              \u2028\u2029\ufeff"},function(t,e,n){var r=n(3),i=n(65).set;t.exports=function(t,e,n){var o,a=e.constructor;return a!==n&&"function"==typeof a&&(o=a.prototype)!==n.prototype&&r(o)&&i&&i(t,o),t}},function(t,e,n){"use strict";var r=n(24),i=n(23);t.exports=function(t){var e=String(i(this)),n="",o=r(t);if(o<0||o==1/0)throw RangeError("Count can't be negative");for(;o>0;(o>>>=1)&&(e+=e))1&o&&(n+=e);return n}},function(t,e){t.exports=Math.sign||function(t){return 0==(t=+t)||t!=t?t:t<0?-1:1}},function(t,e){var n=Math.expm1;t.exports=!n||n(10)>22025.465794806718||n(10)<22025.465794806718||-2e-17!=n(-2e-17)?function(t){return 0==(t=+t)?t:t>-1e-6&&t<1e-6?t+t*t/2:Math.exp(t)-1}:n},function(t,e,n){"use strict";var r=n(30),i=n(0),o=n(10),a=n(13),u=n(37),s=n(98),c=n(36),l=n(35),f=n(5)("iterator"),p=!([].keys&&"next"in[].keys()),h=function(){return this};t.exports=function(t,e,n,d,v,m,g){s(n,e,d);var y,_,b,x=function(t){if(!p&&t in O)return O[t];switch(t){case"keys":case"values":return function(){return new n(this,t)}}return function(){return new n(this,t)}},w=e+" Iterator",S="values"==v,k=!1,O=t.prototype,A=O[f]||O["@@iterator"]||v&&O[v],C=A||x(v),T=v?S?x("entries"):C:void 0,E="Array"==e&&O.entries||A;if(E&&(b=l(E.call(new t)))!==Object.prototype&&b.next&&(c(b,w,!0),r||"function"==typeof b[f]||a(b,f,h)),S&&A&&"values"!==A.name&&(k=!0,C=function(){return A.call(this)}),r&&!g||!p&&!k&&O[f]||a(O,f,C),u[e]=C,u[w]=h,v)if(y={values:S?C:x("values"),keys:m?C:x("keys"),entries:T},g)for(_ in y)_ in O||o(O,_,y[_]);else i(i.P+i.F*(p||k),e,y);return y}},function(t,e,n){var r=n(73),i=n(23);t.exports=function(t,e,n){if(r(e))throw TypeError("String#"+n+" doesn't accept regex!");return String(i(t))}},function(t,e,n){var r=n(3),i=n(22),o=n(5)("match");t.exports=function(t){var e;return r(t)&&(void 0!==(e=t[o])?!!e:"RegExp"==i(t))}},function(t,e,n){var r=n(5)("match");t.exports=function(t){var e=/./;try{"/./"[t](e)}catch(n){try{return e[r]=!1,!"/./"[t](e)}catch(t){}}return!0}},function(t,e,n){var r=n(37),i=n(5)("iterator"),o=Array.prototype;t.exports=function(t){return void 0!==t&&(r.Array===t||o[i]===t)}},function(t,e,n){"use strict";var r=n(6),i=n(28);t.exports=function(t,e,n){e in t?r.f(t,e,i(0,n)):t[e]=n}},function(t,e,n){var r=n(48),i=n(5)("iterator"),o=n(37);t.exports=n(8).getIteratorMethod=function(t){if(void 0!=t)return t[i]||t["@@iterator"]||o[r(t)]}},function(t,e,n){"use strict";var r=n(15),i=n(32),o=n(9);t.exports=function(t){for(var e=r(this),n=o(e.length),a=arguments.length,u=i(a>1?arguments[1]:void 0,n),s=a>2?arguments[2]:void 0,c=void 0===s?n:i(s,n);c>u;)e[u++]=t;return e}},function(t,e,n){"use strict";var r=n(38),i=n(102),o=n(37),a=n(14);t.exports=n(71)(Array,"Array",function(t,e){this._t=a(t),this._i=0,this._k=e},function(){var t=this._t,e=this._k,n=this._i++;return!t||n>=t.length?(this._t=void 0,i(1)):i(0,"keys"==e?n:"values"==e?t[n]:[n,t[n]])},"values"),o.Arguments=o.Array,r("keys"),r("values"),r("entries")},function(t,e,n){"use strict";var r=n(4);t.exports=function(){var t=r(this),e="";return t.global&&(e+="g"),t.ignoreCase&&(e+="i"),t.multiline&&(e+="m"),t.unicode&&(e+="u"),t.sticky&&(e+="y"),e}},function(t,e,n){var r,i,o,a=n(20),u=n(91),s=n(64),c=n(58),l=n(2),f=l.process,p=l.setImmediate,h=l.clearImmediate,d=l.MessageChannel,v=l.Dispatch,m=0,g={},y=function(){var t=+this;if(g.hasOwnProperty(t)){var e=g[t];delete g[t],e()}},_=function(t){y.call(t.data)};p&&h||(p=function(t){for(var e=[],n=1;arguments.length>n;)e.push(arguments[n++]);return g[++m]=function(){u("function"==typeof t?t:Function(t),e)},r(m),m},h=function(t){delete g[t]},"process"==n(22)(f)?r=function(t){f.nextTick(a(y,t,1))}:v&&v.now?r=function(t){v.now(a(y,t,1))}:d?(o=(i=new d).port2,i.port1.onmessage=_,r=a(o.postMessage,o,1)):l.addEventListener&&"function"==typeof postMessage&&!l.importScripts?(r=function(t){l.postMessage(t+"","*")},l.addEventListener("message",_,!1)):r="onreadystatechange"in c("script")?function(t){s.appendChild(c("script")).onreadystatechange=function(){s.removeChild(this),y.call(t)}}:function(t){setTimeout(a(y,t,1),0)}),t.exports={set:p,clear:h}},function(t,e,n){"use strict";var r=n(2),i=n(7),o=n(30),a=n(56),u=n(13),s=n(41),c=n(1),l=n(40),f=n(24),p=n(9),h=n(109),d=n(34).f,v=n(6).f,m=n(78),g=n(36),y="prototype",_="Wrong index!",b=r.ArrayBuffer,x=r.DataView,w=r.Math,S=r.RangeError,k=r.Infinity,O=b,A=w.abs,C=w.pow,T=w.floor,E=w.log,M=w.LN2,D=i?"_b":"buffer",P=i?"_l":"byteLength",j=i?"_o":"byteOffset";function $(t,e,n){var r,i,o,a=new Array(n),u=8*n-e-1,s=(1<>1,l=23===e?C(2,-24)-C(2,-77):0,f=0,p=t<0||0===t&&1/t<0?1:0;for((t=A(t))!=t||t===k?(i=t!=t?1:0,r=s):(r=T(E(t)/M),t*(o=C(2,-r))<1&&(r--,o*=2),(t+=r+c>=1?l/o:l*C(2,1-c))*o>=2&&(r++,o/=2),r+c>=s?(i=0,r=s):r+c>=1?(i=(t*o-1)*C(2,e),r+=c):(i=t*C(2,c-1)*C(2,e),r=0));e>=8;a[f++]=255&i,i/=256,e-=8);for(r=r<0;a[f++]=255&r,r/=256,u-=8);return a[--f]|=128*p,a}function N(t,e,n){var r,i=8*n-e-1,o=(1<>1,u=i-7,s=n-1,c=t[s--],l=127&c;for(c>>=7;u>0;l=256*l+t[s],s--,u-=8);for(r=l&(1<<-u)-1,l>>=-u,u+=e;u>0;r=256*r+t[s],s--,u-=8);if(0===l)l=1-a;else{if(l===o)return r?NaN:c?-k:k;r+=C(2,e),l-=a}return(c?-1:1)*r*C(2,l-e)}function L(t){return t[3]<<24|t[2]<<16|t[1]<<8|t[0]}function I(t){return[255&t]}function F(t){return[255&t,t>>8&255]}function R(t){return[255&t,t>>8&255,t>>16&255,t>>24&255]}function B(t){return $(t,52,8)}function V(t){return $(t,23,4)}function U(t,e,n){v(t[y],e,{get:function(){return this[n]}})}function z(t,e,n,r){var i=h(+n);if(i+e>t[P])throw S(_);var o=t[D]._b,a=i+t[j],u=o.slice(a,a+e);return r?u:u.reverse()}function Y(t,e,n,r,i,o){var a=h(+n);if(a+e>t[P])throw S(_);for(var u=t[D]._b,s=a+t[j],c=r(+i),l=0;lq;)(H=G[q++])in b||u(b,H,O[H]);o||(W.constructor=b)}var J=new x(new b(2)),K=x[y].setInt8;J.setInt8(0,2147483648),J.setInt8(1,2147483649),!J.getInt8(0)&&J.getInt8(1)||s(x[y],{setInt8:function(t,e){K.call(this,t,e<<24>>24)},setUint8:function(t,e){K.call(this,t,e<<24>>24)}},!0)}else b=function(t){l(this,b,"ArrayBuffer");var e=h(t);this._b=m.call(new Array(e),0),this[P]=e},x=function(t,e,n){l(this,x,"DataView"),l(t,b,"DataView");var r=t[P],i=f(e);if(i<0||i>r)throw S("Wrong offset!");if(i+(n=void 0===n?r-i:p(n))>r)throw S("Wrong length!");this[D]=t,this[j]=i,this[P]=n},i&&(U(b,"byteLength","_l"),U(x,"buffer","_b"),U(x,"byteLength","_l"),U(x,"byteOffset","_o")),s(x[y],{getInt8:function(t){return z(this,1,t)[0]<<24>>24},getUint8:function(t){return z(this,1,t)[0]},getInt16:function(t){var e=z(this,2,t,arguments[1]);return(e[1]<<8|e[0])<<16>>16},getUint16:function(t){var e=z(this,2,t,arguments[1]);return e[1]<<8|e[0]},getInt32:function(t){return L(z(this,4,t,arguments[1]))},getUint32:function(t){return L(z(this,4,t,arguments[1]))>>>0},getFloat32:function(t){return N(z(this,4,t,arguments[1]),23,4)},getFloat64:function(t){return N(z(this,8,t,arguments[1]),52,8)},setInt8:function(t,e){Y(this,1,t,I,e)},setUint8:function(t,e){Y(this,1,t,I,e)},setInt16:function(t,e){Y(this,2,t,F,e,arguments[2])},setUint16:function(t,e){Y(this,2,t,F,e,arguments[2])},setInt32:function(t,e){Y(this,4,t,R,e,arguments[2])},setUint32:function(t,e){Y(this,4,t,R,e,arguments[2])},setFloat32:function(t,e){Y(this,4,t,V,e,arguments[2])},setFloat64:function(t,e){Y(this,8,t,B,e,arguments[2])}});g(b,"ArrayBuffer"),g(x,"DataView"),u(x[y],a.VIEW,!0),e.ArrayBuffer=b,e.DataView=x},function(t,e,n){t.exports=function(t){function e(r){if(n[r])return n[r].exports;var i=n[r]={i:r,l:!1,exports:{}};return t[r].call(i.exports,i,i.exports,e),i.l=!0,i.exports}var n={};return e.m=t,e.c=n,e.i=function(t){return t},e.d=function(t,n,r){e.o(t,n)||Object.defineProperty(t,n,{configurable:!1,enumerable:!0,get:r})},e.n=function(t){var n=t&&t.__esModule?function(){return t.default}:function(){return t};return e.d(n,"a",n),n},e.o=function(t,e){return Object.prototype.hasOwnProperty.call(t,e)},e.p="/",e(e.s=60)}([function(t,e){var n=t.exports="undefined"!=typeof window&&window.Math==Math?window:"undefined"!=typeof self&&self.Math==Math?self:Function("return this")();"number"==typeof __g&&(__g=n)},function(t,e,n){var r=n(49)("wks"),i=n(30),o=n(0).Symbol,a="function"==typeof o;(t.exports=function(t){return r[t]||(r[t]=a&&o[t]||(a?o:i)("Symbol."+t))}).store=r},function(t,e,n){var r=n(5);t.exports=function(t){if(!r(t))throw TypeError(t+" is not an object!");return t}},function(t,e,n){var r=n(0),i=n(10),o=n(8),a=n(6),u=n(11),s=function(t,e,n){var c,l,f,p,h=t&s.F,d=t&s.G,v=t&s.S,m=t&s.P,g=t&s.B,y=d?r:v?r[e]||(r[e]={}):(r[e]||{}).prototype,_=d?i:i[e]||(i[e]={}),b=_.prototype||(_.prototype={});for(c in d&&(n=e),n)l=!h&&y&&void 0!==y[c],f=(l?y:n)[c],p=g&&l?u(f,r):m&&"function"==typeof f?u(Function.call,f):f,y&&a(y,c,f,t&s.U),_[c]!=f&&o(_,c,p),m&&b[c]!=f&&(b[c]=f)};r.core=i,s.F=1,s.G=2,s.S=4,s.P=8,s.B=16,s.W=32,s.U=64,s.R=128,t.exports=s},function(t,e,n){t.exports=!n(7)(function(){return 7!=Object.defineProperty({},"a",{get:function(){return 7}}).a})},function(t,e){t.exports=function(t){return"object"==typeof t?null!==t:"function"==typeof t}},function(t,e,n){var r=n(0),i=n(8),o=n(12),a=n(30)("src"),u=Function.toString,s=(""+u).split("toString");n(10).inspectSource=function(t){return u.call(t)},(t.exports=function(t,e,n,u){var c="function"==typeof n;c&&(o(n,"name")||i(n,"name",e)),t[e]!==n&&(c&&(o(n,a)||i(n,a,t[e]?""+t[e]:s.join(String(e)))),t===r?t[e]=n:u?t[e]?t[e]=n:i(t,e,n):(delete t[e],i(t,e,n)))})(Function.prototype,"toString",function(){return"function"==typeof this&&this[a]||u.call(this)})},function(t,e){t.exports=function(t){try{return!!t()}catch(t){return!0}}},function(t,e,n){var r=n(13),i=n(25);t.exports=n(4)?function(t,e,n){return r.f(t,e,i(1,n))}:function(t,e,n){return t[e]=n,t}},function(t,e){var n={}.toString;t.exports=function(t){return n.call(t).slice(8,-1)}},function(t,e){var n=t.exports={version:"2.5.7"};"number"==typeof __e&&(__e=n)},function(t,e,n){var r=n(14);t.exports=function(t,e,n){if(r(t),void 0===e)return t;switch(n){case 1:return function(n){return t.call(e,n)};case 2:return function(n,r){return t.call(e,n,r)};case 3:return function(n,r,i){return t.call(e,n,r,i)}}return function(){return t.apply(e,arguments)}}},function(t,e){var n={}.hasOwnProperty;t.exports=function(t,e){return n.call(t,e)}},function(t,e,n){var r=n(2),i=n(41),o=n(29),a=Object.defineProperty;e.f=n(4)?Object.defineProperty:function(t,e,n){if(r(t),e=o(e,!0),r(n),i)try{return a(t,e,n)}catch(t){}if("get"in n||"set"in n)throw TypeError("Accessors not supported!");return"value"in n&&(t[e]=n.value),t}},function(t,e){t.exports=function(t){if("function"!=typeof t)throw TypeError(t+" is not a function!");return t}},function(t,e){t.exports={}},function(t,e){t.exports=function(t){if(void 0==t)throw TypeError("Can't call method on "+t);return t}},function(t,e,n){"use strict";var r=n(7);t.exports=function(t,e){return!!t&&r(function(){e?t.call(null,function(){},1):t.call(null)})}},function(t,e,n){var r=n(23),i=n(16);t.exports=function(t){return r(i(t))}},function(t,e,n){var r=n(53),i=Math.min;t.exports=function(t){return t>0?i(r(t),9007199254740991):0}},function(t,e,n){var r=n(11),i=n(23),o=n(28),a=n(19),u=n(64);t.exports=function(t,e){var n=1==t,s=2==t,c=3==t,l=4==t,f=6==t,p=5==t||f,h=e||u;return function(e,u,d){for(var v,m,g=o(e),y=i(g),_=r(u,d,3),b=a(y.length),x=0,w=n?h(e,b):s?h(e,0):void 0;b>x;x++)if((p||x in y)&&(v=y[x],m=_(v,x,g),t))if(n)w[x]=m;else if(m)switch(t){case 3:return!0;case 5:return v;case 6:return x;case 2:w.push(v)}else if(l)return!1;return f?-1:c||l?l:w}}},function(t,e,n){var r=n(5),i=n(0).document,o=r(i)&&r(i.createElement);t.exports=function(t){return o?i.createElement(t):{}}},function(t,e){t.exports="constructor,hasOwnProperty,isPrototypeOf,propertyIsEnumerable,toLocaleString,toString,valueOf".split(",")},function(t,e,n){var r=n(9);t.exports=Object("z").propertyIsEnumerable(0)?Object:function(t){return"String"==r(t)?t.split(""):Object(t)}},function(t,e){t.exports=!1},function(t,e){t.exports=function(t,e){return{enumerable:!(1&t),configurable:!(2&t),writable:!(4&t),value:e}}},function(t,e,n){var r=n(13).f,i=n(12),o=n(1)("toStringTag");t.exports=function(t,e,n){t&&!i(t=n?t:t.prototype,o)&&r(t,o,{configurable:!0,value:e})}},function(t,e,n){var r=n(49)("keys"),i=n(30);t.exports=function(t){return r[t]||(r[t]=i(t))}},function(t,e,n){var r=n(16);t.exports=function(t){return Object(r(t))}},function(t,e,n){var r=n(5);t.exports=function(t,e){if(!r(t))return t;var n,i;if(e&&"function"==typeof(n=t.toString)&&!r(i=n.call(t)))return i;if("function"==typeof(n=t.valueOf)&&!r(i=n.call(t)))return i;if(!e&&"function"==typeof(n=t.toString)&&!r(i=n.call(t)))return i;throw TypeError("Can't convert object to primitive value")}},function(t,e){var n=0,r=Math.random();t.exports=function(t){return"Symbol(".concat(void 0===t?"":t,")_",(++n+r).toString(36))}},function(t,e,n){"use strict";var r=n(0),i=n(12),o=n(9),a=n(67),u=n(29),s=n(7),c=n(77).f,l=n(45).f,f=n(13).f,p=n(51).trim,h=r.Number,d=h,v=h.prototype,m="Number"==o(n(44)(v)),g="trim"in String.prototype,y=function(t){var e=u(t,!1);if("string"==typeof e&&e.length>2){var n,r,i,o=(e=g?e.trim():p(e,3)).charCodeAt(0);if(43===o||45===o){if(88===(n=e.charCodeAt(2))||120===n)return NaN}else if(48===o){switch(e.charCodeAt(1)){case 66:case 98:r=2,i=49;break;case 79:case 111:r=8,i=55;break;default:return+e}for(var a,s=e.slice(2),c=0,l=s.length;ci)return NaN;return parseInt(s,r)}}return+e};if(!h(" 0o1")||!h("0b1")||h("+0x1")){h=function(t){var e=arguments.length<1?0:t,n=this;return n instanceof h&&(m?s(function(){v.valueOf.call(n)}):"Number"!=o(n))?a(new d(y(e)),n,h):y(e)};for(var _,b=n(4)?c(d):"MAX_VALUE,MIN_VALUE,NaN,NEGATIVE_INFINITY,POSITIVE_INFINITY,EPSILON,isFinite,isInteger,isNaN,isSafeInteger,MAX_SAFE_INTEGER,MIN_SAFE_INTEGER,parseFloat,parseInt,isInteger".split(","),x=0;b.length>x;x++)i(d,_=b[x])&&!i(h,_)&&f(h,_,l(d,_));h.prototype=v,v.constructor=h,n(6)(r,"Number",h)}},function(t,e,n){"use strict";function r(t){return!(0===t||(!Array.isArray(t)||0!==t.length)&&t)}function i(t){return function(){return!t.apply(void 0,arguments)}}function o(t,e,n,r){return t.filter(function(t){return function(t,e){return void 0===t&&(t="undefined"),null===t&&(t="null"),!1===t&&(t="false"),-1!==t.toString().toLowerCase().indexOf(e.trim())}(r(t,n),e)})}function a(t){return t.filter(function(t){return!t.$isLabel})}function u(t,e){return function(n){return n.reduce(function(n,r){return r[t]&&r[t].length?(n.push({$groupLabel:r[e],$isLabel:!0}),n.concat(r[t])):n},[])}}function s(t,e,r,i,a){return function(u){return u.map(function(u){var s;if(!u[r])return console.warn("Options passed to vue-multiselect do not contain groups, despite the config."),[];var c=o(u[r],t,e,a);return c.length?(s={},n.i(h.a)(s,i,u[i]),n.i(h.a)(s,r,c),s):[]})}}var c=n(59),l=n(54),f=(n.n(l),n(95)),p=(n.n(f),n(31)),h=(n.n(p),n(58)),d=n(91),v=(n.n(d),n(98)),m=(n.n(v),n(92)),g=(n.n(m),n(88)),y=(n.n(g),n(97)),_=(n.n(y),n(89)),b=(n.n(_),n(96)),x=(n.n(b),n(93)),w=(n.n(x),n(90)),S=(n.n(w),function(){for(var t=arguments.length,e=new Array(t),n=0;n-1},isSelected:function(t){var e=this.trackBy?t[this.trackBy]:t;return this.valueKeys.indexOf(e)>-1},getOptionLabel:function(t){if(r(t))return"";if(t.isTag)return t.label;if(t.$isLabel)return t.$groupLabel;var e=this.customLabel(t,this.label);return r(e)?"":e},select:function(t,e){if(t.$isLabel&&this.groupSelect)this.selectGroup(t);else if(!(-1!==this.blockKeys.indexOf(e)||this.disabled||t.$isDisabled||t.$isLabel)&&(!this.max||!this.multiple||this.internalValue.length!==this.max)&&("Tab"!==e||this.pointerDirty)){if(t.isTag)this.$emit("tag",t.label,this.id),this.search="",this.closeOnSelect&&!this.multiple&&this.deactivate();else{if(this.isSelected(t))return void("Tab"!==e&&this.removeElement(t));this.$emit("select",t,this.id),this.multiple?this.$emit("input",this.internalValue.concat([t]),this.id):this.$emit("input",t,this.id),this.clearOnSelect&&(this.search="")}this.closeOnSelect&&this.deactivate()}},selectGroup:function(t){var e=this,n=this.options.find(function(n){return n[e.groupLabel]===t.$groupLabel});if(n)if(this.wholeGroupSelected(n)){this.$emit("remove",n[this.groupValues],this.id);var r=this.internalValue.filter(function(t){return-1===n[e.groupValues].indexOf(t)});this.$emit("input",r,this.id)}else{var o=n[this.groupValues].filter(i(this.isSelected));this.$emit("select",o,this.id),this.$emit("input",this.internalValue.concat(o),this.id)}},wholeGroupSelected:function(t){return t[this.groupValues].every(this.isSelected)},removeElement:function(t){var e=!(arguments.length>1&&void 0!==arguments[1])||arguments[1];if(!this.disabled){if(!this.allowEmpty&&this.internalValue.length<=1)return void this.deactivate();var r="object"===n.i(c.a)(t)?this.valueKeys.indexOf(t[this.trackBy]):this.valueKeys.indexOf(t);if(this.$emit("remove",t,this.id),this.multiple){var i=this.internalValue.slice(0,r).concat(this.internalValue.slice(r+1));this.$emit("input",i,this.id)}else this.$emit("input",null,this.id);this.closeOnSelect&&e&&this.deactivate()}},removeLastElement:function(){-1===this.blockKeys.indexOf("Delete")&&0===this.search.length&&Array.isArray(this.internalValue)&&this.removeElement(this.internalValue[this.internalValue.length-1],!1)},activate:function(){var t=this;this.isOpen||this.disabled||(this.adjustPosition(),this.groupValues&&0===this.pointer&&this.filteredOptions.length&&(this.pointer=1),this.isOpen=!0,this.searchable?(this.preserveSearch||(this.search=""),this.$nextTick(function(){return t.$refs.search.focus()})):this.$el.focus(),this.$emit("open",this.id))},deactivate:function(){this.isOpen&&(this.isOpen=!1,this.searchable?this.$refs.search.blur():this.$el.blur(),this.preserveSearch||(this.search=""),this.$emit("close",this.getValue(),this.id))},toggle:function(){this.isOpen?this.deactivate():this.activate()},adjustPosition:function(){if("undefined"!=typeof window){var t=this.$el.getBoundingClientRect().top,e=window.innerHeight-this.$el.getBoundingClientRect().bottom;e>this.maxHeight||e>t||"below"===this.openDirection||"bottom"===this.openDirection?(this.prefferedOpenDirection="below",this.optimizedHeight=Math.min(e-40,this.maxHeight)):(this.prefferedOpenDirection="above",this.optimizedHeight=Math.min(t-40,this.maxHeight))}}}}},function(t,e,n){"use strict";var r=n(54),i=(n.n(r),n(31));n.n(i),e.a={data:function(){return{pointer:0,pointerDirty:!1}},props:{showPointer:{type:Boolean,default:!0},optionHeight:{type:Number,default:40}},computed:{pointerPosition:function(){return this.pointer*this.optionHeight},visibleElements:function(){return this.optimizedHeight/this.optionHeight}},watch:{filteredOptions:function(){this.pointerAdjust()},isOpen:function(){this.pointerDirty=!1}},methods:{optionHighlight:function(t,e){return{"multiselect__option--highlight":t===this.pointer&&this.showPointer,"multiselect__option--selected":this.isSelected(e)}},groupHighlight:function(t,e){var n=this;if(!this.groupSelect)return["multiselect__option--group","multiselect__option--disabled"];var r=this.options.find(function(t){return t[n.groupLabel]===e.$groupLabel});return["multiselect__option--group",{"multiselect__option--highlight":t===this.pointer&&this.showPointer},{"multiselect__option--group-selected":this.wholeGroupSelected(r)}]},addPointerElement:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"Enter",e=t.key;this.filteredOptions.length>0&&this.select(this.filteredOptions[this.pointer],e),this.pointerReset()},pointerForward:function(){this.pointer0?(this.pointer--,this.$refs.list.scrollTop>=this.pointerPosition&&(this.$refs.list.scrollTop=this.pointerPosition),this.filteredOptions[this.pointer]&&this.filteredOptions[this.pointer].$isLabel&&!this.groupSelect&&this.pointerBackward()):this.filteredOptions[this.pointer]&&this.filteredOptions[0].$isLabel&&!this.groupSelect&&this.pointerForward(),this.pointerDirty=!0},pointerReset:function(){this.closeOnSelect&&(this.pointer=0,this.$refs.list&&(this.$refs.list.scrollTop=0))},pointerAdjust:function(){this.pointer>=this.filteredOptions.length-1&&(this.pointer=this.filteredOptions.length?this.filteredOptions.length-1:0),this.filteredOptions.length>0&&this.filteredOptions[this.pointer].$isLabel&&!this.groupSelect&&this.pointerForward()},pointerSet:function(t){this.pointer=t,this.pointerDirty=!0}}}},function(t,e,n){"use strict";var r=n(36),i=n(74),o=n(15),a=n(18);t.exports=n(72)(Array,"Array",function(t,e){this._t=a(t),this._i=0,this._k=e},function(){var t=this._t,e=this._k,n=this._i++;return!t||n>=t.length?(this._t=void 0,i(1)):i(0,"keys"==e?n:"values"==e?t[n]:[n,t[n]])},"values"),o.Arguments=o.Array,r("keys"),r("values"),r("entries")},function(t,e,n){"use strict";var r=n(31),i=(n.n(r),n(32)),o=n(33);e.a={name:"vue-multiselect",mixins:[i.a,o.a],props:{name:{type:String,default:""},selectLabel:{type:String,default:"Press enter to select"},selectGroupLabel:{type:String,default:"Press enter to select group"},selectedLabel:{type:String,default:"Selected"},deselectLabel:{type:String,default:"Press enter to remove"},deselectGroupLabel:{type:String,default:"Press enter to deselect group"},showLabels:{type:Boolean,default:!0},limit:{type:Number,default:99999},maxHeight:{type:Number,default:300},limitText:{type:Function,default:function(t){return"and ".concat(t," more")}},loading:{type:Boolean,default:!1},disabled:{type:Boolean,default:!1},openDirection:{type:String,default:""},showNoOptions:{type:Boolean,default:!0},showNoResults:{type:Boolean,default:!0},tabindex:{type:Number,default:0}},computed:{isSingleLabelVisible:function(){return this.singleValue&&(!this.isOpen||!this.searchable)&&!this.visibleValues.length},isPlaceholderVisible:function(){return!(this.internalValue.length||this.searchable&&this.isOpen)},visibleValues:function(){return this.multiple?this.internalValue.slice(0,this.limit):[]},singleValue:function(){return this.internalValue[0]},deselectLabelText:function(){return this.showLabels?this.deselectLabel:""},deselectGroupLabelText:function(){return this.showLabels?this.deselectGroupLabel:""},selectLabelText:function(){return this.showLabels?this.selectLabel:""},selectGroupLabelText:function(){return this.showLabels?this.selectGroupLabel:""},selectedLabelText:function(){return this.showLabels?this.selectedLabel:""},inputStyle:function(){if(this.searchable||this.multiple&&this.value&&this.value.length)return this.isOpen?{width:"auto"}:{width:"0",position:"absolute",padding:"0"}},contentStyle:function(){return this.options.length?{display:"inline-block"}:{display:"block"}},isAbove:function(){return"above"===this.openDirection||"top"===this.openDirection||"below"!==this.openDirection&&"bottom"!==this.openDirection&&"above"===this.prefferedOpenDirection},showSearchInput:function(){return this.searchable&&(!this.hasSingleSelectedSlot||!this.visibleSingleValue&&0!==this.visibleSingleValue||this.isOpen)}}}},function(t,e,n){var r=n(1)("unscopables"),i=Array.prototype;void 0==i[r]&&n(8)(i,r,{}),t.exports=function(t){i[r][t]=!0}},function(t,e,n){var r=n(18),i=n(19),o=n(85);t.exports=function(t){return function(e,n,a){var u,s=r(e),c=i(s.length),l=o(a,c);if(t&&n!=n){for(;c>l;)if((u=s[l++])!=u)return!0}else for(;c>l;l++)if((t||l in s)&&s[l]===n)return t||l||0;return!t&&-1}}},function(t,e,n){var r=n(9),i=n(1)("toStringTag"),o="Arguments"==r(function(){return arguments}());t.exports=function(t){var e,n,a;return void 0===t?"Undefined":null===t?"Null":"string"==typeof(n=function(t,e){try{return t[e]}catch(t){}}(e=Object(t),i))?n:o?r(e):"Object"==(a=r(e))&&"function"==typeof e.callee?"Arguments":a}},function(t,e,n){"use strict";var r=n(2);t.exports=function(){var t=r(this),e="";return t.global&&(e+="g"),t.ignoreCase&&(e+="i"),t.multiline&&(e+="m"),t.unicode&&(e+="u"),t.sticky&&(e+="y"),e}},function(t,e,n){var r=n(0).document;t.exports=r&&r.documentElement},function(t,e,n){t.exports=!n(4)&&!n(7)(function(){return 7!=Object.defineProperty(n(21)("div"),"a",{get:function(){return 7}}).a})},function(t,e,n){var r=n(9);t.exports=Array.isArray||function(t){return"Array"==r(t)}},function(t,e,n){"use strict";var r=n(14);t.exports.f=function(t){return new function(t){var e,n;this.promise=new t(function(t,r){if(void 0!==e||void 0!==n)throw TypeError("Bad Promise constructor");e=t,n=r}),this.resolve=r(e),this.reject=r(n)}(t)}},function(t,e,n){var r=n(2),i=n(76),o=n(22),a=n(27)("IE_PROTO"),u=function(){},s=function(){var t,e=n(21)("iframe"),r=o.length;for(e.style.display="none",n(40).appendChild(e),e.src="javascript:",(t=e.contentWindow.document).open(),t.write("\n\n","import { render, staticRenderFns } from \"./AdminTwoFactor.vue?vue&type=template&id=b7f88748&\"\nimport script from \"./AdminTwoFactor.vue?vue&type=script&lang=js&\"\nexport * from \"./AdminTwoFactor.vue?vue&type=script&lang=js&\"\nimport style0 from \"./AdminTwoFactor.vue?vue&type=style&index=0&lang=css&\"\n\n\n/* normalize component */\nimport normalizer from \"!../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\n/* hot reload */\nif (module.hot) {\n var api = require(\"/home/roeland/nc/server/settings/node_modules/vue-hot-reload-api/dist/index.js\")\n api.install(require('vue'))\n if (api.compatible) {\n module.hot.accept()\n if (!module.hot.data) {\n api.createRecord('b7f88748', component.options)\n } else {\n api.reload('b7f88748', component.options)\n }\n module.hot.accept(\"./AdminTwoFactor.vue?vue&type=template&id=b7f88748&\", function () {\n api.rerender('b7f88748', {\n render: render,\n staticRenderFns: staticRenderFns\n })\n })\n }\n}\ncomponent.options.__file = \"src/components/AdminTwoFactor.vue\"\nexport default component.exports","import Vue from 'vue'\n\nimport AdminTwoFactor from './components/AdminTwoFactor'\n\nVue.prototype.t = t;\n\nnew Vue({\n\tel: '#two-factor-auth-settings',\n\ttemplate: '',\n\tcomponents: {\n\t\tAdminTwoFactor\n\t}\n})\n","/**\n * Translates the list format produced by css-loader into something\n * easier to manipulate.\n */\nexport default function listToStyles (parentId, list) {\n var styles = []\n var newStyles = {}\n for (var i = 0; i < list.length; i++) {\n var item = list[i]\n var id = item[0]\n var css = item[1]\n var media = item[2]\n var sourceMap = item[3]\n var part = {\n id: parentId + ':' + i,\n css: css,\n media: media,\n sourceMap: sourceMap\n }\n if (!newStyles[id]) {\n styles.push(newStyles[id] = { id: id, parts: [part] })\n } else {\n newStyles[id].parts.push(part)\n }\n }\n return styles\n}\n","/*\n MIT License http://www.opensource.org/licenses/mit-license.php\n Author Tobias Koppers @sokra\n Modified by Evan You @yyx990803\n*/\n\nimport listToStyles from './listToStyles'\n\nvar hasDocument = typeof document !== 'undefined'\n\nif (typeof DEBUG !== 'undefined' && DEBUG) {\n if (!hasDocument) {\n throw new Error(\n 'vue-style-loader cannot be used in a non-browser environment. ' +\n \"Use { target: 'node' } in your Webpack config to indicate a server-rendering environment.\"\n ) }\n}\n\n/*\ntype StyleObject = {\n id: number;\n parts: Array\n}\n\ntype StyleObjectPart = {\n css: string;\n media: string;\n sourceMap: ?string\n}\n*/\n\nvar stylesInDom = {/*\n [id: number]: {\n id: number,\n refs: number,\n parts: Array<(obj?: StyleObjectPart) => void>\n }\n*/}\n\nvar head = hasDocument && (document.head || document.getElementsByTagName('head')[0])\nvar singletonElement = null\nvar singletonCounter = 0\nvar isProduction = false\nvar noop = function () {}\nvar options = null\nvar ssrIdKey = 'data-vue-ssr-id'\n\n// Force single-tag solution on IE6-9, which has a hard limit on the # of ","import { render, staticRenderFns } from \"./AdminTwoFactor.vue?vue&type=template&id=b7f88748&\"\nimport script from \"./AdminTwoFactor.vue?vue&type=script&lang=js&\"\nexport * from \"./AdminTwoFactor.vue?vue&type=script&lang=js&\"\nimport style0 from \"./AdminTwoFactor.vue?vue&type=style&index=0&lang=css&\"\n\n\n/* normalize component */\nimport normalizer from \"!../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\n/* hot reload */\nif (module.hot) {\n var api = require(\"/home/christoph/workspace/nextcloud/settings/node_modules/vue-hot-reload-api/dist/index.js\")\n api.install(require('vue'))\n if (api.compatible) {\n module.hot.accept()\n if (!module.hot.data) {\n api.createRecord('b7f88748', component.options)\n } else {\n api.reload('b7f88748', component.options)\n }\n module.hot.accept(\"./AdminTwoFactor.vue?vue&type=template&id=b7f88748&\", function () {\n api.rerender('b7f88748', {\n render: render,\n staticRenderFns: staticRenderFns\n })\n })\n }\n}\ncomponent.options.__file = \"src/components/AdminTwoFactor.vue\"\nexport default component.exports","import Vue from 'vue'\n\nimport AdminTwoFactor from './components/AdminTwoFactor'\n\nVue.prototype.t = t;\n\nnew Vue({\n\tel: '#two-factor-auth-settings',\n\ttemplate: '',\n\tcomponents: {\n\t\tAdminTwoFactor\n\t}\n})\n","/**\n * Translates the list format produced by css-loader into something\n * easier to manipulate.\n */\nexport default function listToStyles (parentId, list) {\n var styles = []\n var newStyles = {}\n for (var i = 0; i < list.length; i++) {\n var item = list[i]\n var id = item[0]\n var css = item[1]\n var media = item[2]\n var sourceMap = item[3]\n var part = {\n id: parentId + ':' + i,\n css: css,\n media: media,\n sourceMap: sourceMap\n }\n if (!newStyles[id]) {\n styles.push(newStyles[id] = { id: id, parts: [part] })\n } else {\n newStyles[id].parts.push(part)\n }\n }\n return styles\n}\n","/*\n MIT License http://www.opensource.org/licenses/mit-license.php\n Author Tobias Koppers @sokra\n Modified by Evan You @yyx990803\n*/\n\nimport listToStyles from './listToStyles'\n\nvar hasDocument = typeof document !== 'undefined'\n\nif (typeof DEBUG !== 'undefined' && DEBUG) {\n if (!hasDocument) {\n throw new Error(\n 'vue-style-loader cannot be used in a non-browser environment. ' +\n \"Use { target: 'node' } in your Webpack config to indicate a server-rendering environment.\"\n ) }\n}\n\n/*\ntype StyleObject = {\n id: number;\n parts: Array\n}\n\ntype StyleObjectPart = {\n css: string;\n media: string;\n sourceMap: ?string\n}\n*/\n\nvar stylesInDom = {/*\n [id: number]: {\n id: number,\n refs: number,\n parts: Array<(obj?: StyleObjectPart) => void>\n }\n*/}\n\nvar head = hasDocument && (document.head || document.getElementsByTagName('head')[0])\nvar singletonElement = null\nvar singletonCounter = 0\nvar isProduction = false\nvar noop = function () {}\nvar options = null\nvar ssrIdKey = 'data-vue-ssr-id'\n\n// Force single-tag solution on IE6-9, which has a hard limit on the # of